diff --git a/.backportrc.json b/.backportrc.json index f89e758afe8a60..e9fc5abecfe23e 100644 --- a/.backportrc.json +++ b/.backportrc.json @@ -3,6 +3,7 @@ "targetBranchChoices": [ { "name": "main", "checked": true }, "8.0", + "7.17", "7.16", "7.15", "7.14", diff --git a/.buildkite/pipelines/bazel_cache.yml b/.buildkite/pipelines/bazel_cache.yml new file mode 100644 index 00000000000000..daf56eb712a8d1 --- /dev/null +++ b/.buildkite/pipelines/bazel_cache.yml @@ -0,0 +1,33 @@ +steps: + - label: ':pipeline: Create pipeline with priority' + concurrency_group: bazel_macos + concurrency: 1 + concurrency_method: eager + # We have to use a dynamic pipeline to set PRIORITY at runtime based on the branch + # We want the main branch to be prioritized higher than other branches + # The other option would be to have a slightly different version of this yaml live on different branches + # But this makes backports easier / everything cleaner + command: | + if [[ "$${BUILDKITE_BRANCH}" == "$${BUILDKITE_PIPELINE_DEFAULT_BRANCH}" ]]; then + export PRIORITY=1 + else + export PRIORITY=0 + fi + buildkite-agent pipeline upload <} */ ( + require('./groups.json').groups +); + const stepInput = (key, nameOfSuite) => { return { key: `ftsr-suite/${key}`, @@ -7,38 +19,31 @@ const stepInput = (key, nameOfSuite) => { }; }; -const OSS_CI_GROUPS = 12; -const XPACK_CI_GROUPS = 27; - const inputs = [ { key: 'ftsr-override-count', text: 'Override for all suites', - default: 0, + default: '0', required: true, }, ]; -for (let i = 1; i <= OSS_CI_GROUPS; i++) { - inputs.push(stepInput(`oss/cigroup/${i}`, `OSS CI Group ${i}`)); +for (const group of groups) { + if (!group.ciGroups) { + inputs.push(stepInput(group.key, group.name)); + } else { + for (let i = 1; i <= group.ciGroups; i++) { + inputs.push(stepInput(`${group.key}/${i}`, `${group.name} ${i}`)); + } + } } -inputs.push(stepInput(`oss/firefox`, 'OSS Firefox')); -inputs.push(stepInput(`oss/accessibility`, 'OSS Accessibility')); - -for (let i = 1; i <= XPACK_CI_GROUPS; i++) { - inputs.push(stepInput(`xpack/cigroup/${i}`, `Default CI Group ${i}`)); -} - -inputs.push(stepInput(`xpack/cigroup/Docker`, 'Default CI Group Docker')); -inputs.push(stepInput(`xpack/firefox`, 'Default Firefox')); -inputs.push(stepInput(`xpack/accessibility`, 'Default Accessibility')); - const pipeline = { steps: [ { input: 'Number of Runs - Click Me', fields: inputs, + if: `build.env('KIBANA_FLAKY_TEST_RUNNER_CONFIG') == null`, }, { wait: '~', diff --git a/.buildkite/pipelines/flaky_tests/runner.js b/.buildkite/pipelines/flaky_tests/runner.js index 0c2db5c724f7b1..cff4f9c0f29e70 100644 --- a/.buildkite/pipelines/flaky_tests/runner.js +++ b/.buildkite/pipelines/flaky_tests/runner.js @@ -1,37 +1,95 @@ -const { execSync } = require('child_process'); - -const keys = execSync('buildkite-agent meta-data keys') - .toString() - .split('\n') - .filter((k) => k.startsWith('ftsr-suite/')); +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ -const overrideCount = parseInt( - execSync(`buildkite-agent meta-data get 'ftsr-override-count'`).toString().trim() -); +const { execSync } = require('child_process'); const concurrency = 25; +const defaultCount = concurrency * 2; const initialJobs = 3; -let totalJobs = initialJobs; +function getTestSuitesFromMetadata() { + const keys = execSync('buildkite-agent meta-data keys') + .toString() + .split('\n') + .filter((k) => k.startsWith('ftsr-suite/')); + + const overrideCount = execSync(`buildkite-agent meta-data get 'ftsr-override-count'`) + .toString() + .trim(); + + const testSuites = []; + for (const key of keys) { + if (!key) { + continue; + } + + const value = + overrideCount && overrideCount !== '0' + ? overrideCount + : execSync(`buildkite-agent meta-data get '${key}'`).toString().trim(); + + const count = value === '' ? defaultCount : parseInt(value); + testSuites.push({ + key: key.replace('ftsr-suite/', ''), + count: count, + }); + } -const testSuites = []; -for (const key of keys) { - if (!key) { - continue; + return testSuites; +} + +function getTestSuitesFromJson(json) { + const fail = (errorMsg) => { + console.error('+++ Invalid test config provided'); + console.error(`${errorMsg}: ${json}`); + process.exit(1); + }; + + let parsed; + try { + parsed = JSON.parse(json); + } catch (error) { + fail(`JSON test config did not parse correctly`); } - const value = - overrideCount || execSync(`buildkite-agent meta-data get '${key}'`).toString().trim(); + if (!Array.isArray(parsed)) { + fail(`JSON test config must be an array`); + } - const count = value === '' ? defaultCount : parseInt(value); - totalJobs += count; + /** @type {Array<{ key: string, count: number }>} */ + const testSuites = []; + for (const item of parsed) { + if (typeof item !== 'object' || item === null) { + fail(`testSuites must be objects`); + } + const key = item.key; + if (typeof key !== 'string') { + fail(`testSuite.key must be a string`); + } + const count = item.count; + if (typeof count !== 'number') { + fail(`testSuite.count must be a number`); + } + testSuites.push({ + key, + count, + }); + } - testSuites.push({ - key: key.replace('ftsr-suite/', ''), - count: count, - }); + return testSuites; } +const testSuites = process.env.KIBANA_FLAKY_TEST_RUNNER_CONFIG + ? getTestSuitesFromJson(process.env.KIBANA_FLAKY_TEST_RUNNER_CONFIG) + : getTestSuitesFromMetadata(); + +const totalJobs = testSuites.reduce((acc, t) => acc + t.count, initialJobs); + if (totalJobs > 500) { console.error('+++ Too many tests'); console.error( diff --git a/.buildkite/scripts/build_kibana.sh b/.buildkite/scripts/build_kibana.sh index 61a1ba4ee1ce53..d05fe178b72dba 100755 --- a/.buildkite/scripts/build_kibana.sh +++ b/.buildkite/scripts/build_kibana.sh @@ -7,6 +7,8 @@ export KBN_NP_PLUGINS_BUILT=true echo "--- Build Kibana Distribution" if [[ "${GITHUB_PR_LABELS:-}" == *"ci:build-all-platforms"* ]]; then node scripts/build --all-platforms --skip-os-packages +elif [[ "${GITHUB_PR_LABELS:-}" == *"ci:build-os-packages"* ]]; then + node scripts/build --all-platforms else node scripts/build fi @@ -26,7 +28,7 @@ if [[ "${GITHUB_PR_LABELS:-}" == *"ci:deploy-cloud"* ]]; then --docker-tag-qualifier="$GIT_COMMIT" \ --docker-push \ --skip-docker-ubi \ - --skip-docker-centos \ + --skip-docker-ubuntu \ --skip-docker-contexts CLOUD_IMAGE=$(docker images --format "{{.Repository}}:{{.Tag}}" docker.elastic.co/kibana-ci/kibana-cloud) diff --git a/.buildkite/scripts/common/env.sh b/.buildkite/scripts/common/env.sh index f80e551395a4e3..43e02500313770 100755 --- a/.buildkite/scripts/common/env.sh +++ b/.buildkite/scripts/common/env.sh @@ -76,8 +76,14 @@ export GIT_BRANCH="${BUILDKITE_BRANCH:-}" export FLEET_PACKAGE_REGISTRY_PORT=6104 export TEST_CORS_SERVER_PORT=6105 -export DETECT_CHROMEDRIVER_VERSION=true -export CHROMEDRIVER_FORCE_DOWNLOAD=true +# Mac agents currently don't have Chrome +if [[ "$(which google-chrome-stable)" || "$(which google-chrome)" ]]; then + echo "Chrome detected, setting DETECT_CHROMEDRIVER_VERSION=true" + export DETECT_CHROMEDRIVER_VERSION=true + export CHROMEDRIVER_FORCE_DOWNLOAD=true +else + echo "Chrome not detected, installing default chromedriver binary for the package version" +fi export GCS_UPLOAD_PREFIX=FAKE_UPLOAD_PREFIX # TODO remove the need for this diff --git a/.buildkite/scripts/common/setup_bazel.sh b/.buildkite/scripts/common/setup_bazel.sh index bff44c7ba8dd35..f9877b16cd424c 100755 --- a/.buildkite/scripts/common/setup_bazel.sh +++ b/.buildkite/scripts/common/setup_bazel.sh @@ -2,9 +2,6 @@ source .buildkite/scripts/common/util.sh -KIBANA_BUILDBUDDY_CI_API_KEY=$(retry 5 5 vault read -field=value secret/kibana-issues/dev/kibana-buildbuddy-ci-api-key) -export KIBANA_BUILDBUDDY_CI_API_KEY - echo "[bazel] writing .bazelrc" cat < $KIBANA_DIR/.bazelrc # Generated by .buildkite/scripts/common/setup_bazel.sh diff --git a/.buildkite/scripts/common/setup_node.sh b/.buildkite/scripts/common/setup_node.sh index 6a81862f2b097d..b8716af226bdc8 100755 --- a/.buildkite/scripts/common/setup_node.sh +++ b/.buildkite/scripts/common/setup_node.sh @@ -8,35 +8,67 @@ export NODE_DIR="$CACHE_DIR/node/$NODE_VERSION" export NODE_BIN_DIR="$NODE_DIR/bin" export YARN_OFFLINE_CACHE="$CACHE_DIR/yarn-offline-cache" -if [[ ! -d "$NODE_DIR" ]]; then - hostArch="$(command uname -m)" - case "${hostArch}" in - x86_64 | amd64) nodeArch="x64" ;; - aarch64) nodeArch="arm64" ;; - *) nodeArch="${hostArch}" ;; - esac +## Install node for whatever the current os/arch are +hostArch="$(command uname -m)" +case "${hostArch}" in + x86_64 | amd64) nodeArch="x64" ;; + aarch64) nodeArch="arm64" ;; + *) nodeArch="${hostArch}" ;; +esac +classifier="$nodeArch.tar.gz" - nodeUrl="https://us-central1-elastic-kibana-184716.cloudfunctions.net/kibana-ci-proxy-cache/dist/v$NODE_VERSION/node-v$NODE_VERSION-linux-$nodeArch.tar.gz" +UNAME=$(uname) +OS="linux" +if [[ "$UNAME" = *"MINGW64_NT"* ]]; then + OS="win" + NODE_BIN_DIR="$HOME/node" + classifier="x64.zip" +elif [[ "$UNAME" == "Darwin" ]]; then + OS="darwin" +fi +echo " -- Running on OS: $OS" - echo "node.js v$NODE_VERSION not found at $NODE_DIR, downloading from $nodeUrl" +nodeUrl="https://us-central1-elastic-kibana-184716.cloudfunctions.net/kibana-ci-proxy-cache/dist/v$NODE_VERSION/node-v$NODE_VERSION-${OS}-${classifier}" - mkdir -p "$NODE_DIR" - curl --silent -L "$nodeUrl" | tar -xz -C "$NODE_DIR" --strip-components=1 +echo " -- node: version=v${NODE_VERSION} dir=$NODE_DIR" + +echo " -- setting up node.js" +if [ -x "$NODE_BIN_DIR/node" ] && [ "$("$NODE_BIN_DIR/node" --version)" == "v$NODE_VERSION" ]; then + echo " -- reusing node.js install" else - echo "node.js v$NODE_VERSION already installed to $NODE_DIR, re-using" - ls -alh "$NODE_BIN_DIR" + if [ -d "$NODE_DIR" ]; then + echo " -- clearing previous node.js install" + rm -rf "$NODE_DIR" + fi + + echo " -- downloading node.js from $nodeUrl" + mkdir -p "$NODE_DIR" + if [[ "$OS" == "win" ]]; then + nodePkg="$NODE_DIR/${nodeUrl##*/}" + curl --silent -L -o "$nodePkg" "$nodeUrl" + unzip -qo "$nodePkg" -d "$NODE_DIR" + mv "${nodePkg%.*}" "$NODE_BIN_DIR" + else + curl --silent -L "$nodeUrl" | tar -xz -C "$NODE_DIR" --strip-components=1 + fi fi export PATH="$NODE_BIN_DIR:$PATH" - echo "--- Setup Yarn" YARN_VERSION=$(node -e "console.log(String(require('./package.json').engines.yarn || '').replace(/^[^\d]+/,''))") export YARN_VERSION if [[ ! $(which yarn) || $(yarn --version) != "$YARN_VERSION" ]]; then - npm install -g "yarn@^${YARN_VERSION}" + rm -rf "$(npm root -g)/yarn" # in case the directory is in a bad state + if [[ ! $(npm install -g "yarn@^${YARN_VERSION}") ]]; then + # If this command is terminated early, e.g. because the build was cancelled in buildkite, + # a yarn directory is left behind in a bad state that can cause all subsequent installs to fail + rm -rf "$(npm root -g)/yarn" + echo "Trying again to install yarn..." + npm install -g "yarn@^${YARN_VERSION}" + fi fi yarn config set yarn-offline-mirror "$YARN_OFFLINE_CACHE" diff --git a/.buildkite/scripts/lifecycle/annotate_test_failures.js b/.buildkite/scripts/lifecycle/annotate_test_failures.js index caf1e08c2bb4d3..068ca4b8329f15 100644 --- a/.buildkite/scripts/lifecycle/annotate_test_failures.js +++ b/.buildkite/scripts/lifecycle/annotate_test_failures.js @@ -1,3 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +// eslint-disable-next-line import/no-unresolved const { TestFailures } = require('kibana-buildkite-library'); (async () => { diff --git a/.buildkite/scripts/lifecycle/build_status.js b/.buildkite/scripts/lifecycle/build_status.js index f2a5024c960136..6658cc4647864a 100644 --- a/.buildkite/scripts/lifecycle/build_status.js +++ b/.buildkite/scripts/lifecycle/build_status.js @@ -1,3 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +// eslint-disable-next-line import/no-unresolved const { BuildkiteClient } = require('kibana-buildkite-library'); (async () => { diff --git a/.buildkite/scripts/lifecycle/ci_stats_complete.js b/.buildkite/scripts/lifecycle/ci_stats_complete.js index d9411178799abb..b8347fa606ebef 100644 --- a/.buildkite/scripts/lifecycle/ci_stats_complete.js +++ b/.buildkite/scripts/lifecycle/ci_stats_complete.js @@ -1,3 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +// eslint-disable-next-line import/no-unresolved const { CiStats } = require('kibana-buildkite-library'); (async () => { diff --git a/.buildkite/scripts/lifecycle/ci_stats_start.js b/.buildkite/scripts/lifecycle/ci_stats_start.js index ec0e4c713499e1..ea23b2bc7ad325 100644 --- a/.buildkite/scripts/lifecycle/ci_stats_start.js +++ b/.buildkite/scripts/lifecycle/ci_stats_start.js @@ -1,3 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +// eslint-disable-next-line import/no-unresolved const { CiStats } = require('kibana-buildkite-library'); (async () => { diff --git a/.buildkite/scripts/lifecycle/pre_command.sh b/.buildkite/scripts/lifecycle/pre_command.sh index 1eeb47f3a24729..46235b63161cd7 100755 --- a/.buildkite/scripts/lifecycle/pre_command.sh +++ b/.buildkite/scripts/lifecycle/pre_command.sh @@ -9,8 +9,22 @@ export BUILDKITE_TOKEN echo '--- Install buildkite dependencies' cd '.buildkite' -retry 5 15 yarn install --production --pure-lockfile -cd - + +# If this yarn install is terminated early, e.g. if the build is cancelled in buildkite, +# A node module could end up in a bad state that can cause all future builds to fail +# So, let's cache clean and try again to make sure that's not what caused the error +install_deps() { + yarn install --production --pure-lockfile + EXIT=$? + if [[ "$EXIT" != "0" ]]; then + yarn cache clean + fi + return $EXIT +} + +retry 5 15 install_deps + +cd .. node .buildkite/scripts/lifecycle/print_agent_links.js || true @@ -90,6 +104,9 @@ export KIBANA_DOCKER_PASSWORD export TEST_FAILURES_ES_PASSWORD } +KIBANA_BUILDBUDDY_CI_API_KEY=$(retry 5 5 vault read -field=value secret/kibana-issues/dev/kibana-buildbuddy-ci-api-key) +export KIBANA_BUILDBUDDY_CI_API_KEY + # By default, all steps should set up these things to get a full environment before running # It can be skipped for pipeline upload steps though, to make job start time a little faster if [[ "${SKIP_CI_SETUP:-}" != "true" ]]; then diff --git a/.buildkite/scripts/lifecycle/print_agent_links.js b/.buildkite/scripts/lifecycle/print_agent_links.js index 59613946c1db47..f1cbff29398d9d 100644 --- a/.buildkite/scripts/lifecycle/print_agent_links.js +++ b/.buildkite/scripts/lifecycle/print_agent_links.js @@ -1,3 +1,12 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + +// eslint-disable-next-line import/no-unresolved const { BuildkiteClient } = require('kibana-buildkite-library'); (async () => { diff --git a/.buildkite/scripts/pipelines/pull_request/pipeline.js b/.buildkite/scripts/pipelines/pull_request/pipeline.js index ab125d4f733771..1df3b5f64b1df5 100644 --- a/.buildkite/scripts/pipelines/pull_request/pipeline.js +++ b/.buildkite/scripts/pipelines/pull_request/pipeline.js @@ -1,5 +1,14 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + const execSync = require('child_process').execSync; const fs = require('fs'); +// eslint-disable-next-line import/no-unresolved const { areChangesSkippable, doAnyChangesMatch } = require('kibana-buildkite-library'); const SKIPPABLE_PATHS = [ @@ -77,20 +86,14 @@ const uploadPipeline = (pipelineContent) => { } if ( - (await doAnyChangesMatch([ - /^x-pack\/plugins\/fleet/, - /^x-pack\/test\/fleet_cypress/, - ])) || + (await doAnyChangesMatch([/^x-pack\/plugins\/fleet/, /^x-pack\/test\/fleet_cypress/])) || process.env.GITHUB_PR_LABELS.includes('ci:all-cypress-suites') ) { pipeline.push(getPipeline('.buildkite/pipelines/pull_request/fleet_cypress.yml')); } if ( - (await doAnyChangesMatch([ - /^x-pack\/plugins\/osquery/, - /^x-pack\/test\/osquery_cypress/, - ])) || + (await doAnyChangesMatch([/^x-pack\/plugins\/osquery/, /^x-pack\/test\/osquery_cypress/])) || process.env.GITHUB_PR_LABELS.includes('ci:all-cypress-suites') ) { pipeline.push(getPipeline('.buildkite/pipelines/pull_request/osquery_cypress.yml')); diff --git a/.buildkite/scripts/post_build_kibana.sh b/.buildkite/scripts/post_build_kibana.sh index 5f26c80ddb6b66..d8b297935471a5 100755 --- a/.buildkite/scripts/post_build_kibana.sh +++ b/.buildkite/scripts/post_build_kibana.sh @@ -13,5 +13,5 @@ echo "--- Upload Build Artifacts" # Moving to `target/` first will keep `buildkite-agent` from including directories in the artifact name cd "$KIBANA_DIR/target" cp kibana-*-linux-x86_64.tar.gz kibana-default.tar.gz -buildkite-agent artifact upload "./*.tar.gz;./*.zip" +buildkite-agent artifact upload "./*.tar.gz;./*.zip;./*.deb;./*.rpm" cd - diff --git a/.buildkite/scripts/steps/bazel_cache/bootstrap_mac.sh b/.buildkite/scripts/steps/bazel_cache/bootstrap_mac.sh new file mode 100755 index 00000000000000..1417137f0b6f09 --- /dev/null +++ b/.buildkite/scripts/steps/bazel_cache/bootstrap_mac.sh @@ -0,0 +1,14 @@ +#!/bin/bash + +set -euo pipefail + +export BAZEL_CACHE_MODE=read-write +export DISABLE_BOOTSTRAP_VALIDATION=true + +# Since our Mac agents are currently static, +# use a temporary HOME directory that gets cleaned out between builds +TMP_HOME="$WORKSPACE/tmp_home" +rm -rf "$TMP_HOME" +export HOME="$TMP_HOME" + +.buildkite/scripts/bootstrap.sh diff --git a/.buildkite/scripts/steps/demo_env/kibana.sh b/.buildkite/scripts/steps/demo_env/kibana.sh index f10ed4013bc0c3..f38d43b5479e62 100755 --- a/.buildkite/scripts/steps/demo_env/kibana.sh +++ b/.buildkite/scripts/steps/demo_env/kibana.sh @@ -9,7 +9,7 @@ source "$(dirname "${0}")/config.sh" export KIBANA_IMAGE="gcr.io/elastic-kibana-184716/demo/kibana:$DEPLOYMENT_NAME-$(git rev-parse HEAD)" echo '--- Build Kibana' -node scripts/build --debug --docker-images --example-plugins --skip-os-packages --skip-docker-ubi +node scripts/build --debug --docker-images --example-plugins --skip-docker-ubi echo '--- Build Docker image with example plugins' cd target/example_plugins diff --git a/.buildkite/scripts/steps/es_snapshots/bucket_config.js b/.buildkite/scripts/steps/es_snapshots/bucket_config.js index a18d1182c4a896..6bbe80b60e764e 100644 --- a/.buildkite/scripts/steps/es_snapshots/bucket_config.js +++ b/.buildkite/scripts/steps/es_snapshots/bucket_config.js @@ -1,3 +1,11 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + module.exports = { BASE_BUCKET_DAILY: 'kibana-ci-es-snapshots-daily', BASE_BUCKET_PERMANENT: 'kibana-ci-es-snapshots-permanent', diff --git a/.buildkite/scripts/steps/es_snapshots/create_manifest.js b/.buildkite/scripts/steps/es_snapshots/create_manifest.js index 3173737e984e8d..cb4ea29a9c534a 100644 --- a/.buildkite/scripts/steps/es_snapshots/create_manifest.js +++ b/.buildkite/scripts/steps/es_snapshots/create_manifest.js @@ -1,3 +1,11 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + const fs = require('fs'); const { execSync } = require('child_process'); const { BASE_BUCKET_DAILY } = require('./bucket_config.js'); @@ -47,7 +55,7 @@ const { BASE_BUCKET_DAILY } = require('./bucket_config.js'); version: parts[1], platform: parts[3], architecture: parts[4].split('.')[0], - license: parts[0] == 'oss' ? 'oss' : 'default', + license: parts[0] === 'oss' ? 'oss' : 'default', }; }); diff --git a/.buildkite/scripts/steps/es_snapshots/promote_manifest.js b/.buildkite/scripts/steps/es_snapshots/promote_manifest.js index ce14935dd1b848..d7ff6707557124 100644 --- a/.buildkite/scripts/steps/es_snapshots/promote_manifest.js +++ b/.buildkite/scripts/steps/es_snapshots/promote_manifest.js @@ -1,3 +1,11 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + const fs = require('fs'); const { execSync } = require('child_process'); const { BASE_BUCKET_DAILY, BASE_BUCKET_PERMANENT } = require('./bucket_config.js'); diff --git a/.buildkite/scripts/steps/on_merge_ts_refs_api_docs.sh b/.buildkite/scripts/steps/on_merge_ts_refs_api_docs.sh index d1542a884cf429..6d08fbb2c68355 100755 --- a/.buildkite/scripts/steps/on_merge_ts_refs_api_docs.sh +++ b/.buildkite/scripts/steps/on_merge_ts_refs_api_docs.sh @@ -2,6 +2,7 @@ set -euo pipefail +export BAZEL_CACHE_MODE=read-write # Populate bazel remote cache for linux export BUILD_TS_REFS_CACHE_ENABLE=true export BUILD_TS_REFS_CACHE_CAPTURE=true export DISABLE_BOOTSTRAP_VALIDATION=true diff --git a/.buildkite/scripts/steps/storybooks/build_and_upload.js b/.buildkite/scripts/steps/storybooks/build_and_upload.js index 89958fe08d6cc5..86bfb4eeebf941 100644 --- a/.buildkite/scripts/steps/storybooks/build_and_upload.js +++ b/.buildkite/scripts/steps/storybooks/build_and_upload.js @@ -1,3 +1,11 @@ +/* + * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one + * or more contributor license agreements. Licensed under the Elastic License + * 2.0 and the Server Side Public License, v 1; you may not use this file except + * in compliance with, at your election, the Elastic License 2.0 or the Server + * Side Public License, v 1. + */ + const execSync = require('child_process').execSync; const fs = require('fs'); const path = require('path'); @@ -73,7 +81,7 @@ const upload = () => { .trim() .split('\n') .map((path) => path.replace('/', '')) - .filter((path) => path != 'composite'); + .filter((path) => path !== 'composite'); const listHtml = storybooks .map((storybook) => `
  • ${storybook}
  • `) diff --git a/.buildkite/yarn.lock b/.buildkite/yarn.lock index 0b92d21c87e26d..2c3ce924b22ea6 100644 --- a/.buildkite/yarn.lock +++ b/.buildkite/yarn.lock @@ -23,9 +23,9 @@ universal-user-agent "^6.0.0" "@octokit/endpoint@^6.0.1": - version "6.0.6" - resolved "https://registry.yarnpkg.com/@octokit/endpoint/-/endpoint-6.0.6.tgz#4f09f2b468976b444742a1d5069f6fa45826d999" - integrity sha512-7Cc8olaCoL/mtquB7j/HTbPM+sY6Ebr4k2X2y4JoXpVKQ7r5xB4iGQE0IoO58wIPsUk4AzoT65AMEpymSbWTgQ== + version "6.0.9" + resolved "https://registry.yarnpkg.com/@octokit/endpoint/-/endpoint-6.0.9.tgz#c6a772e024202b1bd19ab69f90e0536a2598b13e" + integrity sha512-3VPLbcCuqji4IFTclNUtGdp9v7g+nspWdiCUbK3+iPMjJCZ6LEhn1ts626bWLOn0GiDb6j+uqGvPpqLnY7pBgw== dependencies: "@octokit/types" "^5.0.0" is-plain-object "^5.0.0" @@ -71,9 +71,9 @@ deprecation "^2.3.1" "@octokit/request-error@^2.0.0": - version "2.0.2" - resolved "https://registry.yarnpkg.com/@octokit/request-error/-/request-error-2.0.2.tgz#0e76b83f5d8fdda1db99027ea5f617c2e6ba9ed0" - integrity sha512-2BrmnvVSV1MXQvEkrb9zwzP0wXFNbPJij922kYBTLIlIafukrGOb+ABBT2+c6wZiuyWDH1K1zmjGQ0toN/wMWw== + version "2.0.3" + resolved "https://registry.yarnpkg.com/@octokit/request-error/-/request-error-2.0.3.tgz#b51b200052bf483f6fa56c9e7e3aa51ead36ecd8" + integrity sha512-GgD5z8Btm301i2zfvJLk/mkhvGCdjQ7wT8xF9ov5noQY8WbKZDH9cOBqXzoeKd1mLr1xH2FwbtGso135zGBgTA== dependencies: "@octokit/types" "^5.0.1" deprecation "^2.0.0" @@ -169,9 +169,9 @@ deprecation@^2.0.0, deprecation@^2.3.1: integrity sha512-xmHIy4F3scKVwMsQ4WnVaS8bHOx0DmVwRywosKhaILI0ywMDWPtBSku2HNxRvF7jtwDRsoEwYQSfbxj8b7RlJQ== follow-redirects@^1.14.0: - version "1.14.4" - resolved "https://registry.yarnpkg.com/follow-redirects/-/follow-redirects-1.14.4.tgz#838fdf48a8bbdd79e52ee51fb1c94e3ed98b9379" - integrity sha512-zwGkiSXC1MUJG/qmeIFH2HBJx9u0V46QGUe3YR1fXG8bXQxq7fLj0RjLZQ5nubr9qNJUZrH+xUcwXEoXNpfS+g== + version "1.14.3" + resolved "https://registry.yarnpkg.com/follow-redirects/-/follow-redirects-1.14.3.tgz#6ada78118d8d24caee595595accdc0ac6abd022e" + integrity sha512-3MkHxknWMUtb23apkgz/83fDoe+y+qr0TdgacGIA7bew+QLBo3vdgEN2xEsuXNivpFy4CyDhBBZnNZOtalmenw== is-plain-object@^5.0.0: version "5.0.0" @@ -180,15 +180,17 @@ is-plain-object@^5.0.0: kibana-buildkite-library@elastic/kibana-buildkite-library: version "1.0.0" - resolved "https://codeload.github.com/elastic/kibana-buildkite-library/tar.gz/ee34f75c00712b639124cbef60f68132fa662643" + resolved "https://codeload.github.com/elastic/kibana-buildkite-library/tar.gz/f67122968ea54ba14036b55c9f99906d96a3733d" dependencies: "@octokit/rest" "^18.10.0" axios "^0.21.4" node-fetch@^2.6.1: - version "2.6.1" - resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.6.1.tgz#045bd323631f76ed2e2b55573394416b639a0052" - integrity sha512-V4aYg89jEoVRxRb2fJdAg8FHvI7cEyYdVAh94HH0UIK8oJxUfkjlDQN9RbMx+bEjP7+ggMiFRprSti032Oipxw== + version "2.6.5" + resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.6.5.tgz#42735537d7f080a7e5f78b6c549b7146be1742fd" + integrity sha512-mmlIVHJEu5rnIxgEgez6b9GgWXbkZj5YZ7fx+2r94a2E+Uirsp6HsPTPlomfdHtpt/B0cdKviwkoaM6pyvUOpQ== + dependencies: + whatwg-url "^5.0.0" once@^1.4.0: version "1.4.0" @@ -197,11 +199,29 @@ once@^1.4.0: dependencies: wrappy "1" +tr46@~0.0.3: + version "0.0.3" + resolved "https://registry.yarnpkg.com/tr46/-/tr46-0.0.3.tgz#8184fd347dac9cdc185992f3a6622e14b9d9ab6a" + integrity sha1-gYT9NH2snNwYWZLzpmIuFLnZq2o= + universal-user-agent@^6.0.0: version "6.0.0" resolved "https://registry.yarnpkg.com/universal-user-agent/-/universal-user-agent-6.0.0.tgz#3381f8503b251c0d9cd21bc1de939ec9df5480ee" integrity sha512-isyNax3wXoKaulPDZWHQqbmIx1k2tb9fb3GGDBRxCscfYV2Ch7WxPArBsFEG8s/safwXTT7H4QGhaIkTp9447w== +webidl-conversions@^3.0.0: + version "3.0.1" + resolved "https://registry.yarnpkg.com/webidl-conversions/-/webidl-conversions-3.0.1.tgz#24534275e2a7bc6be7bc86611cc16ae0a5654871" + integrity sha1-JFNCdeKnvGvnvIZhHMFq4KVlSHE= + +whatwg-url@^5.0.0: + version "5.0.0" + resolved "https://registry.yarnpkg.com/whatwg-url/-/whatwg-url-5.0.0.tgz#966454e8765462e37644d3626f6742ce8b70965d" + integrity sha1-lmRU6HZUYuN2RNNib2dCzotwll0= + dependencies: + tr46 "~0.0.3" + webidl-conversions "^3.0.0" + wrappy@1: version "1.0.2" resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" diff --git a/.eslintignore b/.eslintignore index 040662604358f3..5ae3fe7b0967d6 100644 --- a/.eslintignore +++ b/.eslintignore @@ -17,6 +17,7 @@ snapshots.js !/.ci !/.eslintrc.js !.storybook +!.buildkite # plugin overrides /src/core/lib/kbn_internal_native_observable diff --git a/.eslintrc.js b/.eslintrc.js index 75580f115f48ac..b303a9fefb6914 100644 --- a/.eslintrc.js +++ b/.eslintrc.js @@ -850,10 +850,6 @@ module.exports = { name: 'semver', message: 'Please use "semver/*/{function}" instead', }, - { - name: '@kbn/rule-data-utils', - message: `Import directly from @kbn/rule-data-utils/* submodules in public/common code`, - }, ], }, ], diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index 61369a37ec3c2b..74d2138a9404f0 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -39,6 +39,8 @@ /src/plugins/chart_expressions/expression_tagcloud/ @elastic/kibana-vis-editors /src/plugins/chart_expressions/expression_metric/ @elastic/kibana-vis-editors /src/plugins/chart_expressions/expression_heatmap/ @elastic/kibana-vis-editors +/src/plugins/chart_expressions/expression_gauge/ @elastic/kibana-vis-editors +/src/plugins/chart_expressions/expression_pie/ @elastic/kibana-vis-editors /src/plugins/url_forwarding/ @elastic/kibana-vis-editors /packages/kbn-tinymath/ @elastic/kibana-vis-editors /x-pack/test/functional/apps/lens @elastic/kibana-vis-editors @@ -62,6 +64,8 @@ /packages/elastic-datemath/ @elastic/kibana-app-services /packages/kbn-interpreter/ @elastic/kibana-app-services /packages/kbn-react-field/ @elastic/kibana-app-services +/packages/kbn-es-query/ @elastic/kibana-app-services +/packages/kbn-field-types/ @elastic/kibana-app-services /src/plugins/bfetch/ @elastic/kibana-app-services /src/plugins/data/ @elastic/kibana-app-services /src/plugins/data_views/ @elastic/kibana-app-services @@ -361,28 +365,28 @@ /x-pack/plugins/enterprise_search/server/collectors/workplace_search/ @elastic/workplace-search-frontend /x-pack/plugins/enterprise_search/server/saved_objects/workplace_search/ @elastic/workplace-search-frontend -# Stack Management -/src/plugins/dev_tools/ @elastic/kibana-stack-management -/src/plugins/console/ @elastic/kibana-stack-management -/src/plugins/es_ui_shared/ @elastic/kibana-stack-management -/src/plugins/management/ @elastic/kibana-stack-management -/x-pack/plugins/cross_cluster_replication/ @elastic/kibana-stack-management -/x-pack/plugins/index_lifecycle_management/ @elastic/kibana-stack-management -/x-pack/plugins/grokdebugger/ @elastic/kibana-stack-management -/x-pack/plugins/index_management/ @elastic/kibana-stack-management -/x-pack/plugins/license_api_guard/ @elastic/kibana-stack-management -/x-pack/plugins/license_management/ @elastic/kibana-stack-management -/x-pack/plugins/painless_lab/ @elastic/kibana-stack-management -/x-pack/plugins/remote_clusters/ @elastic/kibana-stack-management -/x-pack/plugins/rollup/ @elastic/kibana-stack-management -/x-pack/plugins/searchprofiler/ @elastic/kibana-stack-management -/x-pack/plugins/snapshot_restore/ @elastic/kibana-stack-management -/x-pack/plugins/upgrade_assistant/ @elastic/kibana-stack-management -/x-pack/plugins/watcher/ @elastic/kibana-stack-management -/x-pack/plugins/ingest_pipelines/ @elastic/kibana-stack-management -/packages/kbn-ace/ @elastic/kibana-stack-management -/packages/kbn-monaco/ @elastic/kibana-stack-management -#CC# /x-pack/plugins/cross_cluster_replication/ @elastic/kibana-stack-management +# Management Experience - Deployment Management +/src/plugins/dev_tools/ @elastic/platform-deployment-management +/src/plugins/console/ @elastic/platform-deployment-management +/src/plugins/es_ui_shared/ @elastic/platform-deployment-management +/src/plugins/management/ @elastic/platform-deployment-management +/x-pack/plugins/cross_cluster_replication/ @elastic/platform-deployment-management +/x-pack/plugins/index_lifecycle_management/ @elastic/platform-deployment-management +/x-pack/plugins/grokdebugger/ @elastic/platform-deployment-management +/x-pack/plugins/index_management/ @elastic/platform-deployment-management +/x-pack/plugins/license_api_guard/ @elastic/platform-deployment-management +/x-pack/plugins/license_management/ @elastic/platform-deployment-management +/x-pack/plugins/painless_lab/ @elastic/platform-deployment-management +/x-pack/plugins/remote_clusters/ @elastic/platform-deployment-management +/x-pack/plugins/rollup/ @elastic/platform-deployment-management +/x-pack/plugins/searchprofiler/ @elastic/platform-deployment-management +/x-pack/plugins/snapshot_restore/ @elastic/platform-deployment-management +/x-pack/plugins/upgrade_assistant/ @elastic/platform-deployment-management +/x-pack/plugins/watcher/ @elastic/platform-deployment-management +/x-pack/plugins/ingest_pipelines/ @elastic/platform-deployment-management +/packages/kbn-ace/ @elastic/platform-deployment-management +/packages/kbn-monaco/ @elastic/platform-deployment-management +#CC# /x-pack/plugins/cross_cluster_replication/ @elastic/platform-deployment-management # Security Solution /x-pack/test/endpoint_api_integration_no_ingest/ @elastic/security-solution @@ -408,15 +412,13 @@ /x-pack/plugins/security_solution/public/common/lib/endpoint*/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/public/common/components/endpoint/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/common/endpoint/ @elastic/security-onboarding-and-lifecycle-mgt -/x-pack/plugins/security_solution/server/endpoint/routes/trusted_apps/ @elastic/security-onboarding-and-lifecycle-mgt -/x-pack/plugins/security_solution/server/endpoint/routes/actions/ @elastic/security-onboarding-and-lifecycle-mgt -/x-pack/plugins/security_solution/server/endpoint/routes/metadata/ @elastic/security-onboarding-and-lifecycle-mgt -/x-pack/plugins/security_solution/server/endpoint/lib/policy/ @elastic/security-onboarding-and-lifecycle-mgt +/x-pack/plugins/security_solution/server/endpoint/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/server/lib/license/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/server/fleet_integration/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/scripts/endpoint/event_filters/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/plugins/security_solution/scripts/endpoint/trusted_apps/ @elastic/security-onboarding-and-lifecycle-mgt /x-pack/test/security_solution_endpoint/apps/endpoint/ @elastic/security-onboarding-and-lifecycle-mgt +/x-pack/test/security_solution_endpoint_api_int/ @elastic/security-onboarding-and-lifecycle-mgt ## Security Solution sub teams - security-telemetry (Data Engineering) x-pack/plugins/security_solution/server/usage/ @elastic/security-telemetry diff --git a/.github/workflows/pr-project-assigner.yml b/.github/workflows/pr-project-assigner.yml deleted file mode 100644 index 3ff3bb7fb97d1d..00000000000000 --- a/.github/workflows/pr-project-assigner.yml +++ /dev/null @@ -1,21 +0,0 @@ -on: - pull_request: - types: [labeled, unlabeled] - -jobs: - assign_to_project: - runs-on: ubuntu-latest - name: Assign a PR to project based on label - steps: - - name: Assign to project - uses: elastic/github-actions/project-assigner@v2.0.0 - id: project_assigner - with: - issue-mappings: | - [ - ] - ghToken: ${{ secrets.PROJECT_ASSIGNER_TOKEN }} - -# { "label": "Team:AppArch", "projectNumber": 37, "columnName": "Review in progress" }, -# { "label": "Feature:Lens", "projectNumber": 32, "columnName": "In progress" }, -# { "label": "Feature:Canvas", "projectNumber": 38, "columnName": "Review in progress" } diff --git a/.github/workflows/project-assigner.yml b/.github/workflows/project-assigner.yml index 8b32b7d699c7a0..fd745f8a8c1fe8 100644 --- a/.github/workflows/project-assigner.yml +++ b/.github/workflows/project-assigner.yml @@ -8,7 +8,7 @@ jobs: name: Assign issue or PR to project based on label steps: - name: Assign to project - uses: elastic/github-actions/project-assigner@v2.1.0 + uses: elastic/github-actions/project-assigner@v2.1.1 id: project_assigner with: issue-mappings: | diff --git a/.github/workflows/skip-failed-test.yml b/.github/workflows/skip-failed-test.yml new file mode 100644 index 00000000000000..e892582951adc4 --- /dev/null +++ b/.github/workflows/skip-failed-test.yml @@ -0,0 +1,45 @@ +on: + issue_comment: + types: + - created + +jobs: + issue_commented: + name: Skip failed test on comment + if: | + !github.event.issue.pull_request + && startsWith(github.event.comment.body, '/skip') + && contains(github.event.issue.labels.*.name, 'failed-test') + runs-on: ubuntu-latest + steps: + - name: Checkout Actions + uses: actions/checkout@v2 + with: + repository: 'elastic/kibana-github-actions' + ref: main + path: ./actions + + - name: Install Actions + run: npm install --production --prefix ./actions + + - name: User Permission Check + uses: ./actions/permission-check + with: + permission: admin + token: ${{secrets.GITHUB_TOKEN}} + + - name: Checkout kibana-operations + uses: actions/checkout@v2 + with: + repository: 'elastic/kibana-operations' + ref: main + path: ./kibana-operations + token: ${{secrets.KIBANAMACHINE_TOKEN}} + + - name: Skip failed test + working-directory: ./kibana-operations/triage + env: + GITHUB_TOKEN: ${{secrets.KIBANAMACHINE_TOKEN}} + run: | + npm install + node failed-test-auto ${{github.event.issue.number}} diff --git a/.i18nrc.json b/.i18nrc.json index 9485f5b9b84e74..207e1778213bb8 100644 --- a/.i18nrc.json +++ b/.i18nrc.json @@ -29,8 +29,10 @@ "expressionRevealImage": "src/plugins/expression_reveal_image", "expressionShape": "src/plugins/expression_shape", "expressionHeatmap": "src/plugins/chart_expressions/expression_heatmap", + "expressionGauge": "src/plugins/chart_expressions/expression_gauge", "expressionTagcloud": "src/plugins/chart_expressions/expression_tagcloud", "expressionMetricVis": "src/plugins/chart_expressions/expression_metric", + "expressionPie": "src/plugins/chart_expressions/expression_pie", "inputControl": "src/plugins/input_control_vis", "inspector": "src/plugins/inspector", "inspectorViews": "src/legacy/core_plugins/inspector_views", diff --git a/NOTICE.txt b/NOTICE.txt index 1694193892e160..10ae7ea6686b38 100644 --- a/NOTICE.txt +++ b/NOTICE.txt @@ -1,5 +1,5 @@ Kibana source code with Kibana X-Pack source code -Copyright 2012-2021 Elasticsearch B.V. +Copyright 2012-2022 Elasticsearch B.V. --- Pretty handling of logarithmic axes. diff --git a/api_docs/actions.json b/api_docs/actions.json index 6240b1f06e9b68..85471025a306d0 100644 --- a/api_docs/actions.json +++ b/api_docs/actions.json @@ -66,9 +66,9 @@ "label": "asSavedObjectExecutionSource", "description": [], "signature": [ - "(source: Pick<", + "(source: Omit<", "SavedObjectReference", - ", \"type\" | \"id\">) => ", + ", \"name\">) => ", "SavedObjectExecutionSource" ], "path": "x-pack/plugins/actions/server/lib/action_execution_source.ts", @@ -82,9 +82,9 @@ "label": "source", "description": [], "signature": [ - "Pick<", + "Omit<", "SavedObjectReference", - ", \"type\" | \"id\">" + ", \"name\">" ], "path": "x-pack/plugins/actions/server/lib/action_execution_source.ts", "deprecated": false, @@ -667,7 +667,7 @@ "label": "ActionParamsType", "description": [], "signature": [ - "{ readonly to: string[]; readonly message: string; readonly subject: string; readonly cc: string[]; readonly bcc: string[]; readonly kibanaFooterLink: Readonly<{} & { path: string; text: string; }>; }" + "{ readonly message: string; readonly to: string[]; readonly subject: string; readonly cc: string[]; readonly bcc: string[]; readonly kibanaFooterLink: Readonly<{} & { path: string; text: string; }>; }" ], "path": "x-pack/plugins/actions/server/builtin_action_types/email.ts", "deprecated": false, @@ -695,7 +695,7 @@ "label": "ActionParamsType", "description": [], "signature": [ - "{ readonly source?: string | undefined; readonly group?: string | undefined; readonly summary?: string | undefined; readonly timestamp?: string | undefined; readonly eventAction?: \"resolve\" | \"trigger\" | \"acknowledge\" | undefined; readonly dedupKey?: string | undefined; readonly severity?: \"info\" | \"error\" | \"warning\" | \"critical\" | undefined; readonly component?: string | undefined; readonly class?: string | undefined; }" + "{ readonly source?: string | undefined; readonly group?: string | undefined; readonly summary?: string | undefined; readonly timestamp?: string | undefined; readonly eventAction?: \"resolve\" | \"trigger\" | \"acknowledge\" | undefined; readonly dedupKey?: string | undefined; readonly severity?: \"error\" | \"info\" | \"warning\" | \"critical\" | undefined; readonly component?: string | undefined; readonly class?: string | undefined; }" ], "path": "x-pack/plugins/actions/server/builtin_action_types/pagerduty.ts", "deprecated": false, @@ -709,7 +709,7 @@ "label": "ActionParamsType", "description": [], "signature": [ - "{ readonly message: string; readonly level: \"info\" | \"error\" | \"trace\" | \"debug\" | \"warn\" | \"fatal\"; }" + "{ readonly message: string; readonly level: \"error\" | \"info\" | \"trace\" | \"debug\" | \"warn\" | \"fatal\"; }" ], "path": "x-pack/plugins/actions/server/builtin_action_types/server_log.ts", "deprecated": false, @@ -779,7 +779,7 @@ "label": "ActionParamsType", "description": [], "signature": [ - "Readonly<{} & { subAction: \"getFields\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"getIncident\"; subActionParams: Readonly<{} & { externalId: string; }>; }> | Readonly<{} & { subAction: \"handshake\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"pushToService\"; subActionParams: Readonly<{} & { incident: Readonly<{} & { name: string; description: string | null; externalId: string | null; incidentTypes: number[] | null; severityCode: number | null; }>; comments: Readonly<{} & { comment: string; commentId: string; }>[] | null; }>; }> | Readonly<{} & { subAction: \"incidentTypes\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"severity\"; subActionParams: Readonly<{} & {}>; }>" + "Readonly<{} & { subAction: \"getFields\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"getIncident\"; subActionParams: Readonly<{} & { externalId: string; }>; }> | Readonly<{} & { subAction: \"handshake\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"pushToService\"; subActionParams: Readonly<{} & { incident: Readonly<{} & { description: string | null; name: string; externalId: string | null; incidentTypes: number[] | null; severityCode: number | null; }>; comments: Readonly<{} & { comment: string; commentId: string; }>[] | null; }>; }> | Readonly<{} & { subAction: \"incidentTypes\"; subActionParams: Readonly<{} & {}>; }> | Readonly<{} & { subAction: \"severity\"; subActionParams: Readonly<{} & {}>; }>" ], "path": "x-pack/plugins/actions/server/builtin_action_types/resilient/index.ts", "deprecated": false, @@ -831,7 +831,9 @@ "section": "def-server.ActionResult", "text": "ActionResult" }, - ">>; delete: ({ id }: { id: string; }) => Promise<{}>; get: ({ id }: { id: string; }) => Promise<", + "<", + "ActionTypeConfig", + ">>; delete: ({ id }: { id: string; }) => Promise<{}>; get: ({ id }: { id: string; }) => Promise<", { "pluginId": "actions", "scope": "server", @@ -839,7 +841,9 @@ "section": "def-server.ActionResult", "text": "ActionResult" }, - ">>; update: ({ id, action }: ", + "<", + "ActionTypeConfig", + ">>; update: ({ id, action }: ", "UpdateOptions", ") => Promise<", { @@ -849,9 +853,11 @@ "section": "def-server.ActionResult", "text": "ActionResult" }, - ">>; execute: ({ actionId, params, source, relatedSavedObjects, }: Pick<", + "<", + "ActionTypeConfig", + ">>; execute: ({ actionId, params, source, relatedSavedObjects, }: Omit<", "ExecuteOptions", - ", \"source\" | \"params\" | \"actionId\" | \"isEphemeral\" | \"taskInfo\" | \"relatedSavedObjects\">) => Promise<", + ", \"request\">) => Promise<", { "pluginId": "actions", "scope": "common", @@ -869,7 +875,9 @@ "section": "def-server.ActionResult", "text": "ActionResult" }, - ">[]>; enqueueExecution: (options: ", + "<", + "ActionTypeConfig", + ">[]>; enqueueExecution: (options: ", "ExecuteOptions", ") => Promise; ephemeralEnqueuedExecution: (options: ", "ExecuteOptions", @@ -1069,7 +1077,19 @@ "label": "registerType", "description": [], "signature": [ - " = Record, Secrets extends Record = Record, Params extends Record = Record, ExecutorResultData = void>(actionType: ", + "(actionType: ", { "pluginId": "actions", "scope": "server", @@ -1284,7 +1304,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ") => Promise) => Promise<", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.PublicMethodsOf", + "text": "PublicMethodsOf" + }, + "<", { "pluginId": "actions", "scope": "server", @@ -1292,7 +1320,7 @@ "section": "def-server.ActionsClient", "text": "ActionsClient" }, - ", \"create\" | \"delete\" | \"get\" | \"update\" | \"execute\" | \"getAll\" | \"getBulk\" | \"enqueueExecution\" | \"ephemeralEnqueuedExecution\" | \"listTypes\" | \"isActionTypeEnabled\" | \"isPreconfigured\">>" + ">>" ], "path": "x-pack/plugins/actions/server/plugin.ts", "deprecated": false, @@ -1337,7 +1365,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ") => Pick<", + ") => ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.PublicMethodsOf", + "text": "PublicMethodsOf" + }, + "<", { "pluginId": "actions", "scope": "server", @@ -1345,7 +1381,7 @@ "section": "def-server.ActionsAuthorization", "text": "ActionsAuthorization" }, - ", \"ensureAuthorized\">" + ">" ], "path": "x-pack/plugins/actions/server/plugin.ts", "deprecated": false, @@ -1389,7 +1425,11 @@ "section": "def-server.PreConfiguredAction", "text": "PreConfiguredAction" }, - ", Record>[]" + "<", + "ActionTypeConfig", + ", ", + "ActionTypeSecrets", + ">[]" ], "path": "x-pack/plugins/actions/server/plugin.ts", "deprecated": false @@ -1402,7 +1442,11 @@ "label": "renderActionParameterTemplates", "description": [], "signature": [ - " = Record>(actionTypeId: string, actionId: string, params: Params, variables: Record) => Params" + "(actionTypeId: string, actionId: string, params: Params, variables: Record) => Params" ], "path": "x-pack/plugins/actions/server/plugin.ts", "deprecated": false, @@ -1482,7 +1526,7 @@ "label": "buildAlertHistoryDocument", "description": [], "signature": [ - "(variables: Record) => { event: { kind: string; }; kibana?: { alert: { actionGroupName?: string; actionGroup?: string; context?: { [x: string]: Record; }; id?: string; }; }; rule?: { type?: string; space?: string; params?: { [x: string]: Record; }; name?: string; id?: string; }; message?: unknown; tags?: string[]; '@timestamp': string; } | null" + "(variables: Record) => { event: { kind: string; }; kibana?: { alert: { actionGroupName?: string | undefined; actionGroup?: string | undefined; context?: { [x: string]: Record; } | undefined; id?: string | undefined; }; } | undefined; rule?: { type?: string | undefined; space?: string | undefined; params?: { [x: string]: Record; } | undefined; name?: string | undefined; id?: string | undefined; } | undefined; message?: unknown; tags?: string[] | undefined; '@timestamp': string; } | null" ], "path": "x-pack/plugins/actions/common/alert_history_schema.ts", "deprecated": false, @@ -1840,7 +1884,7 @@ "label": "AlertHistoryDocumentTemplate", "description": [], "signature": [ - "Readonly<{ event: { kind: string; }; kibana?: { alert: { actionGroupName?: string; actionGroup?: string; context?: { [x: string]: Record; }; id?: string; }; }; rule?: { type?: string; space?: string; params?: { [x: string]: Record; }; name?: string; id?: string; }; message?: unknown; tags?: string[]; '@timestamp': string; }> | null" + "Readonly<{ event: { kind: string; }; kibana?: { alert: { actionGroupName?: string | undefined; actionGroup?: string | undefined; context?: { [x: string]: Record; } | undefined; id?: string | undefined; }; } | undefined; rule?: { type?: string | undefined; space?: string | undefined; params?: { [x: string]: Record; } | undefined; name?: string | undefined; id?: string | undefined; } | undefined; message?: unknown; tags?: string[] | undefined; '@timestamp': string; }> | null" ], "path": "x-pack/plugins/actions/common/alert_history_schema.ts", "deprecated": false, diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 4d74f2838d3f9d..dc7d971d016d4b 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -16,9 +16,9 @@ Contact [Kibana Alerting](https://github.com/orgs/elastic/teams/kibana-alerting- **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 125 | 0 | 125 | 8 | +| 125 | 0 | 125 | 11 | ## Server diff --git a/api_docs/advanced_settings.json b/api_docs/advanced_settings.json index 882c6f2dba9882..c37abfdb271bb1 100644 --- a/api_docs/advanced_settings.json +++ b/api_docs/advanced_settings.json @@ -126,7 +126,7 @@ "/**\n * Attempts to register the provided component, with the ability to optionally allow\n * the component to override an existing one.\n *\n * If the intent is to override, then `allowOverride` must be set to true, otherwise an exception is thrown.\n *\n * @param id the id of the component to register\n * @param component the component\n * @param allowOverride (default: false) - optional flag to allow this component to override a previously registered component\n */" ], "signature": [ - "(id: Id, component: React.ComponentType | undefined>, allowOverride?: boolean) => void" + "(id: Id, component: RegistryComponent, allowOverride?: boolean) => void" ], "path": "src/plugins/advanced_settings/public/component_registry/component_registry.ts", "deprecated": false, @@ -153,7 +153,7 @@ "label": "component", "description": [], "signature": [ - "React.ComponentType | undefined>" + "RegistryComponent" ], "path": "src/plugins/advanced_settings/public/component_registry/component_registry.ts", "deprecated": false, @@ -211,7 +211,7 @@ "/**\n * Retrieve a registered component by its ID.\n * If the component does not exist, then an exception is thrown.\n *\n * @param id the ID of the component to retrieve\n */" ], "signature": [ - "(id: Id) => React.ComponentType | undefined>" + "(id: Id) => RegistryComponent" ], "path": "src/plugins/advanced_settings/public/component_registry/component_registry.ts", "deprecated": false, @@ -299,7 +299,7 @@ "label": "component", "description": [], "signature": [ - "{ componentType: { [key: string]: Id; }; register: (id: Id, component: React.ComponentType | undefined>, allowOverride?: boolean) => void; }" + "{ componentType: { [key: string]: Id; }; register: (id: Id, component: RegistryComponent, allowOverride?: boolean) => void; }" ], "path": "src/plugins/advanced_settings/public/types.ts", "deprecated": false @@ -326,7 +326,7 @@ "label": "component", "description": [], "signature": [ - "{ componentType: { [key: string]: Id; }; get: (id: Id) => React.ComponentType | undefined>; }" + "{ componentType: { [key: string]: Id; }; get: (id: Id) => RegistryComponent; }" ], "path": "src/plugins/advanced_settings/public/types.ts", "deprecated": false diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 8dfbd0a7306fd9..ac09a1ba91fa23 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -16,7 +16,7 @@ Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 23 | 0 | 20 | 1 | diff --git a/api_docs/alerting.json b/api_docs/alerting.json index 7677f396580749..ff7962fd64dd96 100644 --- a/api_docs/alerting.json +++ b/api_docs/alerting.json @@ -16,15 +16,15 @@ "\nReturns information that can be used to navigate to a specific page to view the given rule.\n" ], "signature": [ - "(alert: Pick<", + "(alert: ", { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.Alert", - "text": "Alert" + "section": "def-common.SanitizedAlert", + "text": "SanitizedAlert" }, - ", \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">) => string | ", + ") => string | ", { "pluginId": "@kbn/utility-types", "scope": "server", @@ -36,7 +36,7 @@ "path": "x-pack/plugins/alerting/public/alert_navigation_registry/types.ts", "deprecated": false, "returnComment": [ - "A URL that is meant to be relative to your application id, or a state object that your application uses to render\nthe rule. This information is intended to be used with cores NavigateToApp function, along with the application id that was\noriginally registered to {@link PluginSetupContract.registerNavigation}." + "A URL that is meant to be relative to your application id, or a state object that your application uses to render\nthe rule. This information is intended to be used with cores NavigateToApp function, along with the application id that was\noriginally registered to {@link PluginSetupContract.registerNavigation }." ], "children": [ { @@ -47,7 +47,7 @@ "label": "alert", "description": [], "signature": [ - "{ name: string; tags: string[]; id: string; enabled: boolean; params: never; actions: ", + "{ id: string; name: string; tags: string[]; enabled: boolean; params: never; actions: ", { "pluginId": "alerting", "scope": "common", @@ -264,16 +264,8 @@ "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.AlertUrlNavigation", - "text": "AlertUrlNavigation" - }, - " | ", - { - "pluginId": "alerting", - "scope": "common", - "docId": "kibAlertingPluginApi", - "section": "def-common.AlertStateNavigation", - "text": "AlertStateNavigation" + "section": "def-common.AlertNavigation", + "text": "AlertNavigation" }, " | undefined>" ], @@ -516,13 +508,7 @@ ", filterOpts: ", "AlertingAuthorizationFilterOpts", ") => Promise<{ filter?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", " | ", { "pluginId": "@kbn/utility-types", @@ -608,13 +594,7 @@ "text": "WriteOperations" }, ") => Promise<{ filter?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", " | ", { "pluginId": "@kbn/utility-types", @@ -891,7 +871,7 @@ }, "" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false, "children": [ { @@ -904,7 +884,7 @@ "signature": [ "ActionGroupIds" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { @@ -914,7 +894,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false } ], @@ -1030,15 +1010,15 @@ "label": "rule", "description": [], "signature": [ - "Pick, \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">, \"name\" | \"tags\" | \"enabled\" | \"actions\" | \"consumer\" | \"schedule\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"throttle\" | \"notifyWhen\"> & { producer: string; ruleTypeId: string; ruleTypeName: string; }" + ", \"name\" | \"tags\" | \"enabled\" | \"actions\" | \"consumer\" | \"schedule\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"throttle\" | \"notifyWhen\"> & { producer: string; ruleTypeId: string; ruleTypeName: string; }" ], "path": "x-pack/plugins/alerting/server/types.ts", "deprecated": false @@ -1288,9 +1268,15 @@ "label": "alertInstanceFactory", "description": [], "signature": [ - "(id: string) => Pick<", - "AlertInstance", - ", \"getState\" | \"replaceState\" | \"scheduleActions\" | \"scheduleActionsWithSubGroup\">" + "(id: string) => ", + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.PublicAlertInstance", + "text": "PublicAlertInstance" + }, + "" ], "path": "x-pack/plugins/alerting/server/types.ts", "deprecated": false, @@ -1311,417 +1297,326 @@ } ], "returnComment": [] + }, + { + "parentPluginId": "alerting", + "id": "def-server.AlertServices.shouldWriteAlerts", + "type": "Function", + "tags": [], + "label": "shouldWriteAlerts", + "description": [], + "signature": [ + "() => boolean" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "alerting", + "id": "def-server.AlertServices.shouldStopExecution", + "type": "Function", + "tags": [], + "label": "shouldStopExecution", + "description": [], + "signature": [ + "() => boolean" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "alerting", + "id": "def-server.AlertServices.search", + "type": "Object", + "tags": [], + "label": "search", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.IAbortableClusterClient", + "text": "IAbortableClusterClient" + } + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false } ], "initialIsOpen": false }, { "parentPluginId": "alerting", - "id": "def-server.AlertType", + "id": "def-server.FindResult", "type": "Interface", "tags": [], - "label": "AlertType", + "label": "FindResult", "description": [], "signature": [ { "pluginId": "alerting", "scope": "server", "docId": "kibAlertingPluginApi", - "section": "def-server.AlertType", - "text": "AlertType" + "section": "def-server.FindResult", + "text": "FindResult" }, - "" + "" ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", "deprecated": false, "children": [ { "parentPluginId": "alerting", - "id": "def-server.AlertType.id", - "type": "string", + "id": "def-server.FindResult.page", + "type": "number", "tags": [], - "label": "id", + "label": "page", "description": [], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.AlertType.name", - "type": "string", + "id": "def-server.FindResult.perPage", + "type": "number", "tags": [], - "label": "name", + "label": "perPage", "description": [], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.AlertType.validate", - "type": "Object", + "id": "def-server.FindResult.total", + "type": "number", "tags": [], - "label": "validate", + "label": "total", "description": [], - "signature": [ - "{ params?: ", - "AlertTypeParamsValidator", - " | undefined; } | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.AlertType.actionGroups", + "id": "def-server.FindResult.data", "type": "Array", "tags": [], - "label": "actionGroups", + "label": "data", "description": [], "signature": [ { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.ActionGroup", - "text": "ActionGroup" + "section": "def-common.SanitizedAlert", + "text": "SanitizedAlert" }, - "[]" + "[]" ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", "deprecated": false - }, + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.IAbortableClusterClient", + "type": "Interface", + "tags": [], + "label": "IAbortableClusterClient", + "description": [], + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", + "deprecated": false, + "children": [ { "parentPluginId": "alerting", - "id": "def-server.AlertType.defaultActionGroupId", - "type": "Uncategorized", + "id": "def-server.IAbortableClusterClient.asInternalUser", + "type": "Object", "tags": [], - "label": "defaultActionGroupId", + "label": "asInternalUser", "description": [], "signature": [ - "ActionGroupIds" + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.IAbortableEsClient", + "text": "IAbortableEsClient" + } ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.AlertType.recoveryActionGroup", + "id": "def-server.IAbortableClusterClient.asCurrentUser", "type": "Object", "tags": [], - "label": "recoveryActionGroup", + "label": "asCurrentUser", "description": [], "signature": [ { "pluginId": "alerting", - "scope": "common", + "scope": "server", "docId": "kibAlertingPluginApi", - "section": "def-common.ActionGroup", - "text": "ActionGroup" - }, - " | undefined" + "section": "def-server.IAbortableEsClient", + "text": "IAbortableEsClient" + } ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", "deprecated": false - }, + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.IAbortableEsClient", + "type": "Interface", + "tags": [], + "label": "IAbortableEsClient", + "description": [], + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", + "deprecated": false, + "children": [ { "parentPluginId": "alerting", - "id": "def-server.AlertType.executor", + "id": "def-server.IAbortableEsClient.search", "type": "Function", "tags": [], - "label": "executor", + "label": "search", "description": [], "signature": [ - "(options: ", - { - "pluginId": "alerting", - "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.AlertExecutorOptions", - "text": "AlertExecutorOptions" - }, - ">) => Promise" + "(query: ", + "SearchRequest", + " | ", + "SearchRequest", + ", options?: ", + "TransportRequestOptions", + " | undefined) => Promise<", + "TransportResult", + "<", + "SearchResponse", + ", TContext>>" ], - "path": "x-pack/plugins/alerting/server/types.ts", + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", "deprecated": false, - "returnComment": [], "children": [ { "parentPluginId": "alerting", - "id": "def-server.AlertType.executor.$1", + "id": "def-server.IAbortableEsClient.search.$1", + "type": "CompoundType", + "tags": [], + "label": "query", + "description": [], + "signature": [ + "SearchRequest", + " | ", + "SearchRequest" + ], + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "alerting", + "id": "def-server.IAbortableEsClient.search.$2", "type": "Object", "tags": [], "label": "options", "description": [], "signature": [ - { - "pluginId": "alerting", - "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.AlertExecutorOptions", - "text": "AlertExecutorOptions" - }, - "" + "TransportRequestOptions", + " | undefined" ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false + "path": "x-pack/plugins/alerting/server/lib/create_abortable_es_client_factory.ts", + "deprecated": false, + "isRequired": false } - ] - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.producer", - "type": "string", - "tags": [], - "label": "producer", - "description": [], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.PluginSetupContract", + "type": "Interface", + "tags": [], + "label": "PluginSetupContract", + "description": [], + "path": "x-pack/plugins/alerting/server/plugin.ts", + "deprecated": false, + "children": [ { "parentPluginId": "alerting", - "id": "def-server.AlertType.actionVariables", - "type": "Object", + "id": "def-server.PluginSetupContract.registerType", + "type": "Function", "tags": [], - "label": "actionVariables", + "label": "registerType", "description": [], "signature": [ - "{ context?: ", + " ", + " = ", { "pluginId": "alerting", - "scope": "server", + "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-server.RuleParamsAndRefs", - "text": "RuleParamsAndRefs" + "section": "def-common.AlertTypeParams", + "text": "AlertTypeParams" }, - "; injectReferences: (params: ExtractedParams, references: ", - "SavedObjectReference", - "[]) => Params; } | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.isExportable", - "type": "boolean", - "tags": [], - "label": "isExportable", - "description": [], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.defaultScheduleInterval", - "type": "string", - "tags": [], - "label": "defaultScheduleInterval", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.minimumScheduleInterval", - "type": "string", - "tags": [], - "label": "minimumScheduleInterval", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.ruleTaskTimeout", - "type": "string", - "tags": [], - "label": "ruleTaskTimeout", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.AlertType.cancelAlertsOnRuleTimeout", - "type": "CompoundType", - "tags": [], - "label": "cancelAlertsOnRuleTimeout", - "description": [], - "signature": [ - "boolean | undefined" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.FindResult", - "type": "Interface", - "tags": [], - "label": "FindResult", - "description": [], - "signature": [ - { - "pluginId": "alerting", - "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.FindResult", - "text": "FindResult" - }, - "" - ], - "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "alerting", - "id": "def-server.FindResult.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.FindResult.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.FindResult.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", - "deprecated": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.FindResult.data", - "type": "Array", - "tags": [], - "label": "data", - "description": [], - "signature": [ - "Pick<", + ", State extends ", { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.Alert", - "text": "Alert" + "section": "def-common.AlertTypeState", + "text": "AlertTypeState" }, - ", \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">[]" - ], - "path": "x-pack/plugins/alerting/server/rules_client/rules_client.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.PluginSetupContract", - "type": "Interface", - "tags": [], - "label": "PluginSetupContract", - "description": [], - "path": "x-pack/plugins/alerting/server/plugin.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "alerting", - "id": "def-server.PluginSetupContract.registerType", - "type": "Function", - "tags": [], - "label": "registerType", - "description": [], - "signature": [ - " = Record, ExtractedParams extends Record = Record, State extends Record = Record, InstanceState extends { [x: string]: unknown; } = { [x: string]: unknown; }, InstanceContext extends { [x: string]: unknown; } = { [x: string]: unknown; }, ActionGroupIds extends string = never, RecoveryActionGroupId extends string = never>(alertType: ", + " = ", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.AlertTypeState", + "text": "AlertTypeState" + }, + ", InstanceState extends { [x: string]: unknown; } = { [x: string]: unknown; }, InstanceContext extends { [x: string]: unknown; } = { [x: string]: unknown; }, ActionGroupIds extends string = never, RecoveryActionGroupId extends string = never>(ruleType: ", { "pluginId": "alerting", "scope": "server", "docId": "kibAlertingPluginApi", - "section": "def-server.AlertType", - "text": "AlertType" + "section": "def-server.RuleType", + "text": "RuleType" }, ") => void" ], @@ -1733,15 +1628,15 @@ "id": "def-server.PluginSetupContract.registerType.$1", "type": "Object", "tags": [], - "label": "alertType", + "label": "ruleType", "description": [], "signature": [ { "pluginId": "alerting", "scope": "server", "docId": "kibAlertingPluginApi", - "section": "def-server.AlertType", - "text": "AlertType" + "section": "def-server.RuleType", + "text": "RuleType" }, "" ], @@ -1815,7 +1710,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ") => Pick<", + ") => ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.PublicMethodsOf", + "text": "PublicMethodsOf" + }, + "<", { "pluginId": "alerting", "scope": "server", @@ -1823,7 +1726,7 @@ "section": "def-server.RulesClient", "text": "RulesClient" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"resolve\" | \"update\" | \"aggregate\" | \"enable\" | \"disable\" | \"muteAll\" | \"getAlertState\" | \"getAlertSummary\" | \"updateApiKey\" | \"unmuteAll\" | \"muteInstance\" | \"unmuteInstance\" | \"listAlertTypes\" | \"getSpaceId\">" + ">" ], "path": "x-pack/plugins/alerting/server/plugin.ts", "deprecated": false, @@ -1868,7 +1771,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ") => Pick<", + ") => ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.PublicMethodsOf", + "text": "PublicMethodsOf" + }, + "<", { "pluginId": "alerting", "scope": "server", @@ -1876,7 +1787,7 @@ "section": "def-server.AlertingAuthorization", "text": "AlertingAuthorization" }, - ", \"ensureAuthorized\" | \"getSpaceId\" | \"getAugmentedRuleTypesWithAuthorization\" | \"getFindAuthorizationFilter\" | \"getAuthorizationFilter\" | \"filterByRuleTypeAuthorization\">" + ">" ], "path": "x-pack/plugins/alerting/server/plugin.ts", "deprecated": false, @@ -1903,77 +1814,385 @@ "isRequired": true } ], - "returnComment": [] + "returnComment": [] + }, + { + "parentPluginId": "alerting", + "id": "def-server.PluginStartContract.getFrameworkHealth", + "type": "Function", + "tags": [], + "label": "getFrameworkHealth", + "description": [], + "signature": [ + "() => Promise<", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.AlertsHealth", + "text": "AlertsHealth" + }, + ">" + ], + "path": "x-pack/plugins/alerting/server/plugin.ts", + "deprecated": false, + "children": [], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleParamsAndRefs", + "type": "Interface", + "tags": [], + "label": "RuleParamsAndRefs", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.RuleParamsAndRefs", + "text": "RuleParamsAndRefs" + }, + "" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "alerting", + "id": "def-server.RuleParamsAndRefs.references", + "type": "Array", + "tags": [], + "label": "references", + "description": [], + "signature": [ + "SavedObjectReference", + "[]" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleParamsAndRefs.params", + "type": "Uncategorized", + "tags": [], + "label": "params", + "description": [], + "signature": [ + "Params" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType", + "type": "Interface", + "tags": [], + "label": "RuleType", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.RuleType", + "text": "RuleType" + }, + "" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.id", + "type": "string", + "tags": [], + "label": "id", + "description": [], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.validate", + "type": "Object", + "tags": [], + "label": "validate", + "description": [], + "signature": [ + "{ params?: ", + "AlertTypeParamsValidator", + " | undefined; } | undefined" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.actionGroups", + "type": "Array", + "tags": [], + "label": "actionGroups", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ActionGroup", + "text": "ActionGroup" + }, + "[]" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.defaultActionGroupId", + "type": "Uncategorized", + "tags": [], + "label": "defaultActionGroupId", + "description": [], + "signature": [ + "ActionGroupIds" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.recoveryActionGroup", + "type": "Object", + "tags": [], + "label": "recoveryActionGroup", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ActionGroup", + "text": "ActionGroup" + }, + " | undefined" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.executor", + "type": "Function", + "tags": [], + "label": "executor", + "description": [], + "signature": [ + "(options: ", + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.AlertExecutorOptions", + "text": "AlertExecutorOptions" + }, + ">) => Promise" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.executor.$1", + "type": "Object", + "tags": [], + "label": "options", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "server", + "docId": "kibAlertingPluginApi", + "section": "def-server.AlertExecutorOptions", + "text": "AlertExecutorOptions" + }, + "" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.producer", + "type": "string", + "tags": [], + "label": "producer", + "description": [], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.actionVariables", + "type": "Object", + "tags": [], + "label": "actionVariables", + "description": [], + "signature": [ + "{ context?: ", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ActionVariable", + "text": "ActionVariable" + }, + "[] | undefined; state?: ", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ActionVariable", + "text": "ActionVariable" + }, + "[] | undefined; params?: ", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ActionVariable", + "text": "ActionVariable" + }, + "[] | undefined; } | undefined" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.minimumLicenseRequired", + "type": "CompoundType", + "tags": [], + "label": "minimumLicenseRequired", + "description": [], + "signature": [ + "\"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\"" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.PluginStartContract.getFrameworkHealth", - "type": "Function", + "id": "def-server.RuleType.useSavedObjectReferences", + "type": "Object", "tags": [], - "label": "getFrameworkHealth", + "label": "useSavedObjectReferences", "description": [], "signature": [ - "() => Promise<", + "{ extractReferences: (params: Params) => ", { "pluginId": "alerting", - "scope": "common", + "scope": "server", "docId": "kibAlertingPluginApi", - "section": "def-common.AlertsHealth", - "text": "AlertsHealth" + "section": "def-server.RuleParamsAndRefs", + "text": "RuleParamsAndRefs" }, - ">" + "; injectReferences: (params: ExtractedParams, references: ", + "SavedObjectReference", + "[]) => Params; } | undefined" ], - "path": "x-pack/plugins/alerting/server/plugin.ts", - "deprecated": false, - "children": [], - "returnComment": [] - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-server.RuleParamsAndRefs", - "type": "Interface", - "tags": [], - "label": "RuleParamsAndRefs", - "description": [], - "signature": [ + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, { - "pluginId": "alerting", - "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.RuleParamsAndRefs", - "text": "RuleParamsAndRefs" + "parentPluginId": "alerting", + "id": "def-server.RuleType.isExportable", + "type": "boolean", + "tags": [], + "label": "isExportable", + "description": [], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false }, - "" - ], - "path": "x-pack/plugins/alerting/server/types.ts", - "deprecated": false, - "children": [ { "parentPluginId": "alerting", - "id": "def-server.RuleParamsAndRefs.references", - "type": "Array", + "id": "def-server.RuleType.defaultScheduleInterval", + "type": "string", "tags": [], - "label": "references", + "label": "defaultScheduleInterval", "description": [], "signature": [ - "SavedObjectReference", - "[]" + "string | undefined" ], "path": "x-pack/plugins/alerting/server/types.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-server.RuleParamsAndRefs.params", - "type": "Uncategorized", + "id": "def-server.RuleType.minimumScheduleInterval", + "type": "string", "tags": [], - "label": "params", + "label": "minimumScheduleInterval", "description": [], "signature": [ - "Params" + "string | undefined" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.ruleTaskTimeout", + "type": "string", + "tags": [], + "label": "ruleTaskTimeout", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "x-pack/plugins/alerting/server/types.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-server.RuleType.cancelAlertsOnRuleTimeout", + "type": "CompoundType", + "tags": [], + "label": "cancelAlertsOnRuleTimeout", + "description": [], + "signature": [ + "boolean | undefined" ], "path": "x-pack/plugins/alerting/server/types.ts", "deprecated": false @@ -2055,7 +2274,7 @@ }, "> ? groups : never" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false, "initialIsOpen": false }, @@ -2159,7 +2378,7 @@ "section": "def-common.Alert", "text": "Alert" }, - ", \"id\"> & Partial, \"id\"> & Partial, \"name\" | \"tags\" | \"enabled\" | \"params\" | \"actions\" | \"apiKey\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">>" + ", \"id\">>" ], "path": "x-pack/plugins/alerting/server/types.ts", "deprecated": false, @@ -2201,17 +2420,37 @@ "label": "RulesClient", "description": [], "signature": [ - "{ create: = never>({ data, options, }: ", + "{ aggregate: ({ options: { fields, filter, ...options }, }?: { options?: ", + "AggregateOptions", + " | undefined; }) => Promise<", + "AggregateResult", + ">; create: ({ data, options, }: ", "CreateOptions", - ") => Promise) => Promise<", { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.Alert", - "text": "Alert" + "section": "def-common.SanitizedAlert", + "text": "SanitizedAlert" + }, + ">; delete: ({ id }: { id: string; }) => Promise<{}>; find: , \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">>; delete: ({ id }: { id: string; }) => Promise<{}>; find: = never>({ options: { fields, ...options }, }?: { options?: ", + " = never>({ options: { fields, ...options }, }?: { options?: ", "FindOptions", " | undefined; }) => Promise<", { @@ -2221,17 +2460,33 @@ "section": "def-server.FindResult", "text": "FindResult" }, - ">; get: = never>({ id, includeLegacyId, }: { id: string; includeLegacyId?: boolean | undefined; }) => Promise>; get: ({ id, includeLegacyId, }: { id: string; includeLegacyId?: boolean | undefined; }) => Promise<", + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.SanitizedAlert", + "text": "SanitizedAlert" + }, + " | ", + "SanitizedRuleWithLegacyId", + ">; resolve: , \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\"> | Pick<", - "AlertWithLegacyId", - ", \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\" | \"legacyId\">>; resolve: = never>({ id, includeLegacyId, }: { id: string; includeLegacyId?: boolean | undefined; }) => Promise<", + " = never>({ id, includeLegacyId, }: { id: string; includeLegacyId?: boolean | undefined; }) => Promise<", { "pluginId": "alerting", "scope": "common", @@ -2239,7 +2494,15 @@ "section": "def-common.ResolvedSanitizedRule", "text": "ResolvedSanitizedRule" }, - ">; update: = never>({ id, data, }: ", + ">; update: ({ id, data, }: ", "UpdateOptions", ") => Promise<", { @@ -2249,11 +2512,7 @@ "section": "def-server.PartialAlert", "text": "PartialAlert" }, - ">; aggregate: ({ options: { fields, ...options }, }?: { options?: ", - "AggregateOptions", - " | undefined; }) => Promise<", - "AggregateResult", - ">; enable: ({ id }: { id: string; }) => Promise; disable: ({ id }: { id: string; }) => Promise; muteAll: ({ id }: { id: string; }) => Promise; getAlertState: ({ id }: { id: string; }) => Promise; getAlertSummary: ({ id, dateStart }: ", + ">; enable: ({ id }: { id: string; }) => Promise; disable: ({ id }: { id: string; }) => Promise; muteAll: ({ id }: { id: string; }) => Promise; getAlertState: ({ id }: { id: string; }) => Promise; getAlertSummary: ({ id, dateStart }: ", "GetAlertSummaryParams", ") => Promise<", { @@ -2593,7 +2852,7 @@ }, "" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false, "children": [ { @@ -2606,7 +2865,7 @@ "signature": [ "ActionGroupIds" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { @@ -2616,7 +2875,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false } ], @@ -3056,6 +3315,32 @@ ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.AlertAggregations.ruleEnabledStatus", + "type": "Object", + "tags": [], + "label": "ruleEnabledStatus", + "description": [], + "signature": [ + "{ enabled: number; disabled: number; }" + ], + "path": "x-pack/plugins/alerting/common/alert.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.AlertAggregations.ruleMutedStatus", + "type": "Object", + "tags": [], + "label": "ruleMutedStatus", + "description": [], + "signature": [ + "{ muted: number; unmuted: number; }" + ], + "path": "x-pack/plugins/alerting/common/alert.ts", + "deprecated": false } ], "initialIsOpen": false @@ -3078,7 +3363,7 @@ "label": "status", "description": [], "signature": [ - "\"unknown\" | \"error\" | \"pending\" | \"ok\" | \"active\"" + "\"error\" | \"unknown\" | \"pending\" | \"ok\" | \"active\"" ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false @@ -3165,10 +3450,10 @@ }, { "parentPluginId": "alerting", - "id": "def-common.AlertingFrameworkHealth.alertingFrameworkHeath", + "id": "def-common.AlertingFrameworkHealth.alertingFrameworkHealth", "type": "Object", "tags": [], - "label": "alertingFrameworkHeath", + "label": "alertingFrameworkHealth", "description": [], "signature": [ { @@ -3546,21 +3831,114 @@ }, { "parentPluginId": "alerting", - "id": "def-common.AlertSummary.executionDuration", - "type": "Object", + "id": "def-common.AlertSummary.executionDuration", + "type": "Object", + "tags": [], + "label": "executionDuration", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.ExecutionDuration", + "text": "ExecutionDuration" + } + ], + "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.AlertUrlNavigation", + "type": "Interface", + "tags": [], + "label": "AlertUrlNavigation", + "description": [], + "path": "x-pack/plugins/alerting/common/alert_navigation.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "alerting", + "id": "def-common.AlertUrlNavigation.path", + "type": "string", + "tags": [], + "label": "path", + "description": [], + "path": "x-pack/plugins/alerting/common/alert_navigation.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.ExecutionDuration", + "type": "Interface", + "tags": [], + "label": "ExecutionDuration", + "description": [], + "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "alerting", + "id": "def-common.ExecutionDuration.average", + "type": "number", + "tags": [], + "label": "average", + "description": [], + "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "deprecated": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.ExecutionDuration.valuesWithTimestamp", + "type": "Object", + "tags": [], + "label": "valuesWithTimestamp", + "description": [], + "signature": [ + "{ [x: string]: number; }" + ], + "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.IntervalSchedule", + "type": "Interface", + "tags": [], + "label": "IntervalSchedule", + "description": [], + "signature": [ + { + "pluginId": "alerting", + "scope": "common", + "docId": "kibAlertingPluginApi", + "section": "def-common.IntervalSchedule", + "text": "IntervalSchedule" + }, + " extends ", + "SavedObjectAttributes" + ], + "path": "x-pack/plugins/alerting/common/alert.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "alerting", + "id": "def-common.IntervalSchedule.interval", + "type": "string", "tags": [], - "label": "executionDuration", + "label": "interval", "description": [], - "signature": [ - { - "pluginId": "alerting", - "scope": "common", - "docId": "kibAlertingPluginApi", - "section": "def-common.ExecutionDuration", - "text": "ExecutionDuration" - } - ], - "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false } ], @@ -3568,47 +3946,47 @@ }, { "parentPluginId": "alerting", - "id": "def-common.AlertType", + "id": "def-common.RuleType", "type": "Interface", "tags": [], - "label": "AlertType", + "label": "RuleType", "description": [], "signature": [ { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.AlertType", - "text": "AlertType" + "section": "def-common.RuleType", + "text": "RuleType" }, "" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false, "children": [ { "parentPluginId": "alerting", - "id": "def-common.AlertType.id", + "id": "def-common.RuleType.id", "type": "string", "tags": [], "label": "id", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.name", + "id": "def-common.RuleType.name", "type": "string", "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.actionGroups", + "id": "def-common.RuleType.actionGroups", "type": "Array", "tags": [], "label": "actionGroups", @@ -3623,12 +4001,12 @@ }, "[]" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.recoveryActionGroup", + "id": "def-common.RuleType.recoveryActionGroup", "type": "Object", "tags": [], "label": "recoveryActionGroup", @@ -3643,25 +4021,25 @@ }, "" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.actionVariables", - "type": "Array", + "id": "def-common.RuleType.actionVariables", + "type": "Object", "tags": [], "label": "actionVariables", "description": [], "signature": [ - "string[]" + "{ context: ActionVariable[]; state: ActionVariable[]; params: ActionVariable[]; }" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.defaultActionGroupId", + "id": "def-common.RuleType.defaultActionGroupId", "type": "Uncategorized", "tags": [], "label": "defaultActionGroupId", @@ -3669,22 +4047,22 @@ "signature": [ "ActionGroupIds" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.producer", + "id": "def-common.RuleType.producer", "type": "string", "tags": [], "label": "producer", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.minimumLicenseRequired", + "id": "def-common.RuleType.minimumLicenseRequired", "type": "CompoundType", "tags": [], "label": "minimumLicenseRequired", @@ -3692,22 +4070,22 @@ "signature": [ "\"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\"" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.isExportable", + "id": "def-common.RuleType.isExportable", "type": "boolean", "tags": [], "label": "isExportable", "description": [], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.ruleTaskTimeout", + "id": "def-common.RuleType.ruleTaskTimeout", "type": "string", "tags": [], "label": "ruleTaskTimeout", @@ -3715,12 +4093,12 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.defaultScheduleInterval", + "id": "def-common.RuleType.defaultScheduleInterval", "type": "string", "tags": [], "label": "defaultScheduleInterval", @@ -3728,12 +4106,12 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.AlertType.minimumScheduleInterval", + "id": "def-common.RuleType.minimumScheduleInterval", "type": "string", "tags": [], "label": "minimumScheduleInterval", @@ -3741,100 +4119,30 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-common.AlertUrlNavigation", - "type": "Interface", - "tags": [], - "label": "AlertUrlNavigation", - "description": [], - "path": "x-pack/plugins/alerting/common/alert_navigation.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "alerting", - "id": "def-common.AlertUrlNavigation.path", - "type": "string", - "tags": [], - "label": "path", - "description": [], - "path": "x-pack/plugins/alerting/common/alert_navigation.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-common.ExecutionDuration", - "type": "Interface", - "tags": [], - "label": "ExecutionDuration", - "description": [], - "path": "x-pack/plugins/alerting/common/alert_summary.ts", - "deprecated": false, - "children": [ + }, { "parentPluginId": "alerting", - "id": "def-common.ExecutionDuration.average", - "type": "number", + "id": "def-common.RuleType.enabledInLicense", + "type": "boolean", "tags": [], - "label": "average", + "label": "enabledInLicense", "description": [], - "path": "x-pack/plugins/alerting/common/alert_summary.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false }, { "parentPluginId": "alerting", - "id": "def-common.ExecutionDuration.valuesWithTimestamp", + "id": "def-common.RuleType.authorizedConsumers", "type": "Object", "tags": [], - "label": "valuesWithTimestamp", + "label": "authorizedConsumers", "description": [], "signature": [ - "{ [x: string]: number; }" + "{ [x: string]: ConsumerPrivileges; }" ], - "path": "x-pack/plugins/alerting/common/alert_summary.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-common.IntervalSchedule", - "type": "Interface", - "tags": [], - "label": "IntervalSchedule", - "description": [], - "signature": [ - { - "pluginId": "alerting", - "scope": "common", - "docId": "kibAlertingPluginApi", - "section": "def-common.IntervalSchedule", - "text": "IntervalSchedule" - }, - " extends ", - "SavedObjectAttributes" - ], - "path": "x-pack/plugins/alerting/common/alert.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "alerting", - "id": "def-common.IntervalSchedule.interval", - "type": "string", - "tags": [], - "label": "interval", - "description": [], - "path": "x-pack/plugins/alerting/common/alert.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false } ], @@ -3892,7 +4200,7 @@ }, "> ? groups : never" ], - "path": "x-pack/plugins/alerting/common/alert_type.ts", + "path": "x-pack/plugins/alerting/common/rule_type.ts", "deprecated": false, "initialIsOpen": false }, @@ -3904,11 +4212,10 @@ "label": "AlertActionParam", "description": [], "signature": [ - "string | number | boolean | ", - "SavedObjectAttributes", + "SavedObjectAttributeSingle", " | ", "SavedObjectAttributeSingle", - "[] | null | undefined" + "[]" ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false, @@ -3936,7 +4243,7 @@ "label": "AlertExecutionStatuses", "description": [], "signature": [ - "\"unknown\" | \"error\" | \"pending\" | \"ok\" | \"active\"" + "\"error\" | \"unknown\" | \"pending\" | \"ok\" | \"active\"" ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false, @@ -4054,34 +4361,6 @@ "deprecated": false, "initialIsOpen": false }, - { - "parentPluginId": "alerting", - "id": "def-common.AlertTaskParams", - "type": "Type", - "tags": [], - "label": "AlertTaskParams", - "description": [], - "signature": [ - "{ alertId: string; } & { spaceId?: string | undefined; }" - ], - "path": "x-pack/plugins/alerting/common/alert_task_instance.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-common.AlertTaskState", - "type": "Type", - "tags": [], - "label": "AlertTaskState", - "description": [], - "signature": [ - "{ alertTypeState?: { [x: string]: unknown; } | undefined; alertInstances?: { [x: string]: { state?: { [x: string]: unknown; } | undefined; meta?: { lastScheduledActions?: ({ subgroup?: string | undefined; } & { group: string; date: Date; }) | undefined; } | undefined; }; } | undefined; previousStartedAt?: Date | null | undefined; }" - ], - "path": "x-pack/plugins/alerting/common/alert_task_instance.ts", - "deprecated": false, - "initialIsOpen": false - }, { "parentPluginId": "alerting", "id": "def-common.AlertTypeParams", @@ -4216,15 +4495,14 @@ "label": "ResolvedSanitizedRule", "description": [], "signature": [ - "Pick<", { "pluginId": "alerting", "scope": "common", "docId": "kibAlertingPluginApi", - "section": "def-common.Alert", - "text": "Alert" + "section": "def-common.SanitizedAlert", + "text": "SanitizedAlert" }, - ", \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\"> & Pick<", + " & Omit<", { "pluginId": "core", "scope": "server", @@ -4232,7 +4510,7 @@ "section": "def-server.SavedObjectsResolveResponse", "text": "SavedObjectsResolveResponse" }, - ", \"outcome\" | \"alias_target_id\">" + ", \"saved_object\">" ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false, @@ -4252,6 +4530,34 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "alerting", + "id": "def-common.RuleTaskParams", + "type": "Type", + "tags": [], + "label": "RuleTaskParams", + "description": [], + "signature": [ + "{ alertId: string; } & { spaceId?: string | undefined; }" + ], + "path": "x-pack/plugins/alerting/common/rule_task_instance.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.RuleTaskState", + "type": "Type", + "tags": [], + "label": "RuleTaskState", + "description": [], + "signature": [ + "{ alertTypeState?: { [x: string]: unknown; } | undefined; alertInstances?: { [x: string]: { state?: { [x: string]: unknown; } | undefined; meta?: { lastScheduledActions?: ({ subgroup?: string | undefined; } & { group: string; date: Date; }) | undefined; } | undefined; }; } | undefined; previousStartedAt?: Date | null | undefined; }" + ], + "path": "x-pack/plugins/alerting/common/rule_task_instance.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "alerting", "id": "def-common.SanitizedAlert", @@ -4260,7 +4566,7 @@ "label": "SanitizedAlert", "description": [], "signature": [ - "{ name: string; tags: string[]; id: string; enabled: boolean; params: Params; actions: ", + "{ id: string; name: string; tags: string[]; enabled: boolean; params: Params; actions: ", { "pluginId": "alerting", "scope": "common", @@ -4298,15 +4604,15 @@ "label": "SanitizedRuleConfig", "description": [], "signature": [ - "Pick, \"name\" | \"tags\" | \"id\" | \"enabled\" | \"params\" | \"actions\" | \"alertTypeId\" | \"consumer\" | \"schedule\" | \"scheduledTaskId\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"apiKeyOwner\" | \"throttle\" | \"notifyWhen\" | \"muteAll\" | \"mutedInstanceIds\" | \"executionStatus\">, \"name\" | \"tags\" | \"enabled\" | \"actions\" | \"consumer\" | \"schedule\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"throttle\" | \"notifyWhen\"> & { producer: string; ruleTypeId: string; ruleTypeName: string; }" + ", \"name\" | \"tags\" | \"enabled\" | \"actions\" | \"consumer\" | \"schedule\" | \"createdBy\" | \"updatedBy\" | \"createdAt\" | \"updatedAt\" | \"throttle\" | \"notifyWhen\"> & { producer: string; ruleTypeId: string; ruleTypeName: string; }" ], "path": "x-pack/plugins/alerting/common/alert.ts", "deprecated": false, @@ -4352,47 +4658,26 @@ }, { "parentPluginId": "alerting", - "id": "def-common.alertParamsSchema", + "id": "def-common.DisabledActionTypeIdsForActionGroup", "type": "Object", "tags": [], - "label": "alertParamsSchema", + "label": "DisabledActionTypeIdsForActionGroup", "description": [], "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ alertId: ", - "StringC", - "; }>, ", - "PartialC", - "<{ spaceId: ", - "StringC", - "; }>]>" + "Map" ], - "path": "x-pack/plugins/alerting/common/alert_task_instance.ts", + "path": "x-pack/plugins/alerting/common/disabled_action_groups.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "alerting", - "id": "def-common.alertStateSchema", + "id": "def-common.rawAlertInstance", "type": "Object", "tags": [], - "label": "alertStateSchema", + "label": "rawAlertInstance", "description": [], "signature": [ - "PartialC", - "<{ alertTypeState: ", - "RecordC", - "<", - "StringC", - ", ", - "UnknownC", - ">; alertInstances: ", - "RecordC", - "<", - "StringC", - ", ", "PartialC", "<{ state: ", "RecordC", @@ -4414,40 +4699,69 @@ "StringC", "; date: ", "Type", - "; }>]>; }>; }>>; previousStartedAt: ", - "UnionC", - "<[", - "NullC", - ", ", - "Type", - "]>; }>" + "; }>]>; }>; }>" ], - "path": "x-pack/plugins/alerting/common/alert_task_instance.ts", + "path": "x-pack/plugins/alerting/common/alert_instance.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "alerting", - "id": "def-common.DisabledActionTypeIdsForActionGroup", + "id": "def-common.RecoveredActionGroup", "type": "Object", "tags": [], - "label": "DisabledActionTypeIdsForActionGroup", + "label": "RecoveredActionGroup", "description": [], "signature": [ - "Map" + "{ readonly id: \"recovered\"; readonly name: string; }" ], - "path": "x-pack/plugins/alerting/common/disabled_action_groups.ts", + "path": "x-pack/plugins/alerting/common/builtin_action_groups.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "alerting", - "id": "def-common.rawAlertInstance", + "id": "def-common.ruleParamsSchema", "type": "Object", "tags": [], - "label": "rawAlertInstance", + "label": "ruleParamsSchema", + "description": [], + "signature": [ + "IntersectionC", + "<[", + "TypeC", + "<{ alertId: ", + "StringC", + "; }>, ", + "PartialC", + "<{ spaceId: ", + "StringC", + "; }>]>" + ], + "path": "x-pack/plugins/alerting/common/rule_task_instance.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.ruleStateSchema", + "type": "Object", + "tags": [], + "label": "ruleStateSchema", "description": [], "signature": [ + "PartialC", + "<{ alertTypeState: ", + "RecordC", + "<", + "StringC", + ", ", + "UnknownC", + ">; alertInstances: ", + "RecordC", + "<", + "StringC", + ", ", "PartialC", "<{ state: ", "RecordC", @@ -4469,23 +4783,15 @@ "StringC", "; date: ", "Type", - "; }>]>; }>; }>" - ], - "path": "x-pack/plugins/alerting/common/alert_instance.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "alerting", - "id": "def-common.RecoveredActionGroup", - "type": "Object", - "tags": [], - "label": "RecoveredActionGroup", - "description": [], - "signature": [ - "{ readonly id: \"recovered\"; readonly name: string; }" + "; }>]>; }>; }>>; previousStartedAt: ", + "UnionC", + "<[", + "NullC", + ", ", + "Type", + "]>; }>" ], - "path": "x-pack/plugins/alerting/common/builtin_action_groups.ts", + "path": "x-pack/plugins/alerting/common/rule_task_instance.ts", "deprecated": false, "initialIsOpen": false } diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index b4e423889e3be2..b1a48fb8b1656a 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -16,9 +16,9 @@ Contact [Kibana Alerting](https://github.com/orgs/elastic/teams/kibana-alerting- **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 263 | 0 | 255 | 18 | +| 277 | 0 | 269 | 18 | ## Client diff --git a/api_docs/apm.json b/api_docs/apm.json index 4e55013ef97541..ada0d568719585 100644 --- a/api_docs/apm.json +++ b/api_docs/apm.json @@ -182,11 +182,11 @@ }, "<", "APMPluginStartDependencies", - ", unknown>, plugins: Pick<", + ", unknown>, plugins: ", "APMPluginSetupDependencies", - ", \"security\" | \"home\" | \"data\" | \"features\" | \"fleet\" | \"ml\" | \"spaces\" | \"actions\" | \"usageCollection\" | \"licensing\" | \"observability\" | \"ruleRegistry\" | \"cloud\" | \"taskManager\" | \"alerting\">) => { config$: ", + ") => { config$: ", "Observable", - "; serviceMapEnabled: boolean; serviceMapFingerprintBucketSize: number; serviceMapTraceIdBucketSize: number; serviceMapFingerprintGlobalBucketSize: number; serviceMapTraceIdGlobalBucketSize: number; serviceMapMaxTracesPerRequest: number; autocreateApmIndexPattern: boolean; ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; searchAggregatedTransactions: ", + "; autoCreateApmDataView: boolean; serviceMapEnabled: boolean; serviceMapFingerprintBucketSize: number; serviceMapTraceIdBucketSize: number; serviceMapFingerprintGlobalBucketSize: number; serviceMapTraceIdGlobalBucketSize: number; serviceMapMaxTracesPerRequest: number; ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; searchAggregatedTransactions: ", "SearchAggregatedTransactionSetting", "; telemetryCollectionEnabled: boolean; metricsInterval: number; profilingEnabled: boolean; agent: Readonly<{} & { migrations: Readonly<{} & { enabled: boolean; }>; }>; }>>; getApmIndices: () => Promise<", "ApmIndicesConfig", @@ -200,17 +200,9 @@ }, "; context: ", "ApmPluginRequestHandlerContext", - "; }) => Promise<{ search(operationName: string, params: TParams): Promise<", - "InferSearchResponseOf", - ">, ESSearchRequestOf, {}>>; termsEnum(operationName: string, params: ", - "APMEventESTermsEnumRequest", - "): Promise<", - "TermsEnumResponse", - ">; }>; }" + "; }) => Promise<", + "APMEventClient", + ">; }" ], "path": "x-pack/plugins/apm/server/plugin.ts", "deprecated": false, @@ -246,9 +238,7 @@ "label": "plugins", "description": [], "signature": [ - "Pick<", - "APMPluginSetupDependencies", - ", \"security\" | \"home\" | \"data\" | \"features\" | \"fleet\" | \"ml\" | \"spaces\" | \"actions\" | \"usageCollection\" | \"licensing\" | \"observability\" | \"ruleRegistry\" | \"cloud\" | \"taskManager\" | \"alerting\">" + "APMPluginSetupDependencies" ], "path": "x-pack/plugins/apm/server/plugin.ts", "deprecated": false, @@ -388,7 +378,7 @@ "label": "config", "description": [], "signature": [ - "{ readonly indices: Readonly<{} & { metric: string; error: string; span: string; transaction: string; sourcemap: string; onboarding: string; }>; readonly serviceMapEnabled: boolean; readonly serviceMapFingerprintBucketSize: number; readonly serviceMapTraceIdBucketSize: number; readonly serviceMapFingerprintGlobalBucketSize: number; readonly serviceMapTraceIdGlobalBucketSize: number; readonly serviceMapMaxTracesPerRequest: number; readonly autocreateApmIndexPattern: boolean; readonly ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; readonly searchAggregatedTransactions: ", + "{ readonly indices: Readonly<{} & { error: string; span: string; metric: string; transaction: string; sourcemap: string; onboarding: string; }>; readonly autoCreateApmDataView: boolean; readonly serviceMapEnabled: boolean; readonly serviceMapFingerprintBucketSize: number; readonly serviceMapTraceIdBucketSize: number; readonly serviceMapFingerprintGlobalBucketSize: number; readonly serviceMapTraceIdGlobalBucketSize: number; readonly serviceMapMaxTracesPerRequest: number; readonly ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; readonly searchAggregatedTransactions: ", "SearchAggregatedTransactionSetting", "; readonly telemetryCollectionEnabled: boolean; readonly metricsInterval: number; readonly profilingEnabled: boolean; readonly agent: Readonly<{} & { migrations: Readonly<{} & { enabled: boolean; }>; }>; }" ], @@ -545,39 +535,47 @@ "section": "def-server.RuleRegistryPluginStartContract", "text": "RuleRegistryPluginStartContract" }, - ">; }; security?: { setup: ", + ">; }; actions?: { setup: ", { - "pluginId": "security", + "pluginId": "actions", "scope": "server", - "docId": "kibSecurityPluginApi", - "section": "def-server.SecurityPluginSetup", - "text": "SecurityPluginSetup" + "docId": "kibActionsPluginApi", + "section": "def-server.PluginSetupContract", + "text": "PluginSetupContract" }, "; start: () => Promise<", { - "pluginId": "security", + "pluginId": "actions", "scope": "server", - "docId": "kibSecurityPluginApi", - "section": "def-server.SecurityPluginStart", - "text": "SecurityPluginStart" + "docId": "kibActionsPluginApi", + "section": "def-server.PluginStartContract", + "text": "PluginStartContract" }, - ">; } | undefined; home?: { setup: ", + ">; } | undefined; alerting?: { setup: ", { - "pluginId": "home", + "pluginId": "alerting", "scope": "server", - "docId": "kibHomePluginApi", - "section": "def-server.HomeServerPluginSetup", - "text": "HomeServerPluginSetup" + "docId": "kibAlertingPluginApi", + "section": "def-server.PluginSetupContract", + "text": "PluginSetupContract" }, "; start: () => Promise<", { - "pluginId": "home", + "pluginId": "alerting", "scope": "server", - "docId": "kibHomePluginApi", - "section": "def-server.HomeServerPluginStart", - "text": "HomeServerPluginStart" + "docId": "kibAlertingPluginApi", + "section": "def-server.PluginStartContract", + "text": "PluginStartContract" + }, + ">; } | undefined; cloud?: { setup: ", + { + "pluginId": "cloud", + "scope": "server", + "docId": "kibCloudPluginApi", + "section": "def-server.CloudSetup", + "text": "CloudSetup" }, - ">; } | undefined; fleet?: { setup: void; start: () => Promise<", + "; start: () => Promise; } | undefined; fleet?: { setup: never; start: () => Promise<", { "pluginId": "fleet", "scope": "server", @@ -585,57 +583,57 @@ "section": "def-server.FleetStartContract", "text": "FleetStartContract" }, - ">; } | undefined; ml?: { setup: ", - "SharedServices", - "; start: () => Promise; } | undefined; spaces?: { setup: ", + ">; } | undefined; home?: { setup: ", { - "pluginId": "spaces", + "pluginId": "home", "scope": "server", - "docId": "kibSpacesPluginApi", - "section": "def-server.SpacesPluginSetup", - "text": "SpacesPluginSetup" + "docId": "kibHomePluginApi", + "section": "def-server.HomeServerPluginSetup", + "text": "HomeServerPluginSetup" }, "; start: () => Promise<", { - "pluginId": "spaces", + "pluginId": "home", "scope": "server", - "docId": "kibSpacesPluginApi", - "section": "def-server.SpacesPluginStart", - "text": "SpacesPluginStart" + "docId": "kibHomePluginApi", + "section": "def-server.HomeServerPluginStart", + "text": "HomeServerPluginStart" }, - ">; } | undefined; actions?: { setup: ", + ">; } | undefined; ml?: { setup: ", + "SharedServices", + "; start: () => Promise; } | undefined; security?: { setup: ", { - "pluginId": "actions", + "pluginId": "security", "scope": "server", - "docId": "kibActionsPluginApi", - "section": "def-server.PluginSetupContract", - "text": "PluginSetupContract" + "docId": "kibSecurityPluginApi", + "section": "def-server.SecurityPluginSetup", + "text": "SecurityPluginSetup" }, "; start: () => Promise<", { - "pluginId": "actions", + "pluginId": "security", "scope": "server", - "docId": "kibActionsPluginApi", - "section": "def-server.PluginStartContract", - "text": "PluginStartContract" + "docId": "kibSecurityPluginApi", + "section": "def-server.SecurityPluginStart", + "text": "SecurityPluginStart" }, - ">; } | undefined; usageCollection?: { setup: ", + ">; } | undefined; spaces?: { setup: ", { - "pluginId": "usageCollection", + "pluginId": "spaces", "scope": "server", - "docId": "kibUsageCollectionPluginApi", - "section": "def-server.UsageCollectionSetup", - "text": "UsageCollectionSetup" + "docId": "kibSpacesPluginApi", + "section": "def-server.SpacesPluginSetup", + "text": "SpacesPluginSetup" }, - "; start: () => Promise; } | undefined; cloud?: { setup: ", + "; start: () => Promise<", { - "pluginId": "cloud", + "pluginId": "spaces", "scope": "server", - "docId": "kibCloudPluginApi", - "section": "def-server.CloudSetup", - "text": "CloudSetup" + "docId": "kibSpacesPluginApi", + "section": "def-server.SpacesPluginStart", + "text": "SpacesPluginStart" }, - "; start: () => Promise; } | undefined; taskManager?: { setup: ", + ">; } | undefined; taskManager?: { setup: ", { "pluginId": "taskManager", "scope": "server", @@ -651,23 +649,15 @@ "section": "def-server.TaskManagerStartContract", "text": "TaskManagerStartContract" }, - ">; } | undefined; alerting?: { setup: ", - { - "pluginId": "alerting", - "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.PluginSetupContract", - "text": "PluginSetupContract" - }, - "; start: () => Promise<", + ">; } | undefined; usageCollection?: { setup: ", { - "pluginId": "alerting", + "pluginId": "usageCollection", "scope": "server", - "docId": "kibAlertingPluginApi", - "section": "def-server.PluginStartContract", - "text": "PluginStartContract" + "docId": "kibUsageCollectionPluginApi", + "section": "def-server.UsageCollectionSetup", + "text": "UsageCollectionSetup" }, - ">; } | undefined; }" + "; start: () => Promise; } | undefined; }" ], "path": "x-pack/plugins/apm/server/routes/typings.ts", "deprecated": false @@ -710,6 +700,16 @@ ], "path": "x-pack/plugins/apm/server/routes/typings.ts", "deprecated": false + }, + { + "parentPluginId": "apm", + "id": "def-server.APMRouteHandlerResources.kibanaVersion", + "type": "string", + "tags": [], + "label": "kibanaVersion", + "description": [], + "path": "x-pack/plugins/apm/server/routes/typings.ts", + "deprecated": false } ], "initialIsOpen": false @@ -737,7 +737,7 @@ "label": "APIEndpoint", "description": [], "signature": [ - "\"POST /internal/apm/data_view/static\" | \"GET /internal/apm/data_view/dynamic\" | \"GET /internal/apm/environments\" | \"GET /internal/apm/services/{serviceName}/errors\" | \"GET /internal/apm/services/{serviceName}/errors/{groupId}\" | \"GET /internal/apm/services/{serviceName}/errors/distribution\" | \"POST /internal/apm/latency/overall_distribution\" | \"GET /internal/apm/services/{serviceName}/metrics/charts\" | \"GET /internal/apm/observability_overview\" | \"GET /internal/apm/observability_overview/has_data\" | \"GET /internal/apm/ux/client-metrics\" | \"GET /internal/apm/ux/page-load-distribution\" | \"GET /internal/apm/ux/page-load-distribution/breakdown\" | \"GET /internal/apm/ux/page-view-trends\" | \"GET /internal/apm/ux/services\" | \"GET /internal/apm/ux/visitor-breakdown\" | \"GET /internal/apm/ux/web-core-vitals\" | \"GET /internal/apm/ux/long-task-metrics\" | \"GET /internal/apm/ux/url-search\" | \"GET /internal/apm/ux/js-errors\" | \"GET /api/apm/observability_overview/has_rum_data\" | \"GET /internal/apm/service-map\" | \"GET /internal/apm/service-map/service/{serviceName}\" | \"GET /internal/apm/service-map/backend\" | \"GET /internal/apm/services/{serviceName}/serviceNodes\" | \"GET /internal/apm/services\" | \"GET /internal/apm/services/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/metadata/details\" | \"GET /internal/apm/services/{serviceName}/metadata/icons\" | \"GET /internal/apm/services/{serviceName}/agent\" | \"GET /internal/apm/services/{serviceName}/transaction_types\" | \"GET /internal/apm/services/{serviceName}/node/{serviceNodeName}/metadata\" | \"GET /api/apm/services/{serviceName}/annotation/search\" | \"POST /api/apm/services/{serviceName}/annotation\" | \"GET /internal/apm/services/{serviceName}/error_groups/main_statistics\" | \"GET /internal/apm/services/{serviceName}/error_groups/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/details/{serviceNodeName}\" | \"GET /internal/apm/services/{serviceName}/throughput\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/main_statistics\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/dependencies\" | \"GET /internal/apm/services/{serviceName}/dependencies/breakdown\" | \"GET /internal/apm/services/{serviceName}/profiling/timeline\" | \"GET /internal/apm/services/{serviceName}/profiling/statistics\" | \"GET /internal/apm/services/{serviceName}/alerts\" | \"GET /internal/apm/services/{serviceName}/infrastructure\" | \"GET /internal/apm/suggestions\" | \"GET /internal/apm/traces/{traceId}\" | \"GET /internal/apm/traces\" | \"GET /internal/apm/traces/{traceId}/root_transaction\" | \"GET /internal/apm/transactions/{transactionId}\" | \"GET /internal/apm/services/{serviceName}/transactions/groups/main_statistics\" | \"GET /internal/apm/services/{serviceName}/transactions/groups/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/transactions/charts/latency\" | \"GET /internal/apm/services/{serviceName}/transactions/traces/samples\" | \"GET /internal/apm/services/{serviceName}/transaction/charts/breakdown\" | \"GET /internal/apm/services/{serviceName}/transactions/charts/error_rate\" | \"GET /internal/apm/alerts/chart_preview/transaction_error_rate\" | \"GET /internal/apm/alerts/chart_preview/transaction_duration\" | \"GET /internal/apm/alerts/chart_preview/transaction_error_count\" | \"GET /api/apm/settings/agent-configuration\" | \"GET /api/apm/settings/agent-configuration/view\" | \"DELETE /api/apm/settings/agent-configuration\" | \"PUT /api/apm/settings/agent-configuration\" | \"POST /api/apm/settings/agent-configuration/search\" | \"GET /api/apm/settings/agent-configuration/services\" | \"GET /api/apm/settings/agent-configuration/environments\" | \"GET /api/apm/settings/agent-configuration/agent_name\" | \"GET /internal/apm/settings/anomaly-detection/jobs\" | \"POST /internal/apm/settings/anomaly-detection/jobs\" | \"GET /internal/apm/settings/anomaly-detection/environments\" | \"GET /internal/apm/settings/apm-index-settings\" | \"GET /internal/apm/settings/apm-indices\" | \"POST /internal/apm/settings/apm-indices/save\" | \"GET /internal/apm/settings/custom_links/transaction\" | \"GET /internal/apm/settings/custom_links\" | \"POST /internal/apm/settings/custom_links\" | \"PUT /internal/apm/settings/custom_links/{id}\" | \"DELETE /internal/apm/settings/custom_links/{id}\" | \"GET /api/apm/sourcemaps\" | \"POST /api/apm/sourcemaps\" | \"DELETE /api/apm/sourcemaps/{id}\" | \"GET /internal/apm/fleet/has_data\" | \"GET /internal/apm/fleet/agents\" | \"POST /api/apm/fleet/apm_server_schema\" | \"GET /internal/apm/fleet/apm_server_schema/unsupported\" | \"GET /internal/apm/fleet/migration_check\" | \"POST /internal/apm/fleet/cloud_apm_package_policy\" | \"GET /internal/apm/backends/top_backends\" | \"GET /internal/apm/backends/upstream_services\" | \"GET /internal/apm/backends/metadata\" | \"GET /internal/apm/backends/charts/latency\" | \"GET /internal/apm/backends/charts/throughput\" | \"GET /internal/apm/backends/charts/error_rate\" | \"POST /internal/apm/correlations/p_values\" | \"GET /internal/apm/correlations/field_candidates\" | \"POST /internal/apm/correlations/field_stats\" | \"POST /internal/apm/correlations/field_value_pairs\" | \"POST /internal/apm/correlations/significant_correlations\" | \"GET /internal/apm/fallback_to_transactions\" | \"GET /internal/apm/has_data\" | \"GET /internal/apm/event_metadata/{processorEvent}/{id}\"" + "\"POST /internal/apm/data_view/static\" | \"GET /internal/apm/data_view/dynamic\" | \"GET /internal/apm/environments\" | \"GET /internal/apm/services/{serviceName}/errors/groups/main_statistics\" | \"GET /internal/apm/services/{serviceName}/errors/groups/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/errors/{groupId}\" | \"GET /internal/apm/services/{serviceName}/errors/distribution\" | \"POST /internal/apm/latency/overall_distribution\" | \"GET /internal/apm/services/{serviceName}/metrics/charts\" | \"GET /internal/apm/observability_overview\" | \"GET /internal/apm/observability_overview/has_data\" | \"GET /internal/apm/ux/client-metrics\" | \"GET /internal/apm/ux/page-load-distribution\" | \"GET /internal/apm/ux/page-load-distribution/breakdown\" | \"GET /internal/apm/ux/page-view-trends\" | \"GET /internal/apm/ux/services\" | \"GET /internal/apm/ux/visitor-breakdown\" | \"GET /internal/apm/ux/web-core-vitals\" | \"GET /internal/apm/ux/long-task-metrics\" | \"GET /internal/apm/ux/url-search\" | \"GET /internal/apm/ux/js-errors\" | \"GET /api/apm/observability_overview/has_rum_data\" | \"GET /internal/apm/service-map\" | \"GET /internal/apm/service-map/service/{serviceName}\" | \"GET /internal/apm/service-map/backend\" | \"GET /internal/apm/services/{serviceName}/serviceNodes\" | \"GET /internal/apm/services\" | \"GET /internal/apm/services/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/metadata/details\" | \"GET /internal/apm/services/{serviceName}/metadata/icons\" | \"GET /internal/apm/services/{serviceName}/agent\" | \"GET /internal/apm/services/{serviceName}/transaction_types\" | \"GET /internal/apm/services/{serviceName}/node/{serviceNodeName}/metadata\" | \"GET /api/apm/services/{serviceName}/annotation/search\" | \"POST /api/apm/services/{serviceName}/annotation\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/details/{serviceNodeName}\" | \"GET /internal/apm/services/{serviceName}/throughput\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/main_statistics\" | \"GET /internal/apm/services/{serviceName}/service_overview_instances/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/dependencies\" | \"GET /internal/apm/services/{serviceName}/dependencies/breakdown\" | \"GET /internal/apm/services/{serviceName}/profiling/timeline\" | \"GET /internal/apm/services/{serviceName}/profiling/statistics\" | \"GET /internal/apm/services/{serviceName}/alerts\" | \"GET /internal/apm/services/{serviceName}/infrastructure\" | \"GET /internal/apm/services/{serviceName}/anomaly_charts\" | \"GET /internal/apm/suggestions\" | \"GET /internal/apm/traces/{traceId}\" | \"GET /internal/apm/traces\" | \"GET /internal/apm/traces/{traceId}/root_transaction\" | \"GET /internal/apm/transactions/{transactionId}\" | \"GET /internal/apm/services/{serviceName}/transactions/groups/main_statistics\" | \"GET /internal/apm/services/{serviceName}/transactions/groups/detailed_statistics\" | \"GET /internal/apm/services/{serviceName}/transactions/charts/latency\" | \"GET /internal/apm/services/{serviceName}/transactions/traces/samples\" | \"GET /internal/apm/services/{serviceName}/transaction/charts/breakdown\" | \"GET /internal/apm/services/{serviceName}/transactions/charts/error_rate\" | \"GET /internal/apm/alerts/chart_preview/transaction_error_rate\" | \"GET /internal/apm/alerts/chart_preview/transaction_duration\" | \"GET /internal/apm/alerts/chart_preview/transaction_error_count\" | \"GET /api/apm/settings/agent-configuration\" | \"GET /api/apm/settings/agent-configuration/view\" | \"DELETE /api/apm/settings/agent-configuration\" | \"PUT /api/apm/settings/agent-configuration\" | \"POST /api/apm/settings/agent-configuration/search\" | \"GET /api/apm/settings/agent-configuration/services\" | \"GET /api/apm/settings/agent-configuration/environments\" | \"GET /api/apm/settings/agent-configuration/agent_name\" | \"GET /internal/apm/settings/anomaly-detection/jobs\" | \"POST /internal/apm/settings/anomaly-detection/jobs\" | \"GET /internal/apm/settings/anomaly-detection/environments\" | \"POST /internal/apm/settings/anomaly-detection/update_to_v3\" | \"GET /internal/apm/settings/apm-index-settings\" | \"GET /internal/apm/settings/apm-indices\" | \"POST /internal/apm/settings/apm-indices/save\" | \"GET /internal/apm/settings/custom_links/transaction\" | \"GET /internal/apm/settings/custom_links\" | \"POST /internal/apm/settings/custom_links\" | \"PUT /internal/apm/settings/custom_links/{id}\" | \"DELETE /internal/apm/settings/custom_links/{id}\" | \"GET /api/apm/sourcemaps\" | \"POST /api/apm/sourcemaps\" | \"DELETE /api/apm/sourcemaps/{id}\" | \"GET /internal/apm/fleet/has_data\" | \"GET /internal/apm/fleet/agents\" | \"POST /api/apm/fleet/apm_server_schema\" | \"GET /internal/apm/fleet/apm_server_schema/unsupported\" | \"GET /internal/apm/fleet/migration_check\" | \"POST /internal/apm/fleet/cloud_apm_package_policy\" | \"GET /internal/apm/backends/top_backends\" | \"GET /internal/apm/backends/upstream_services\" | \"GET /internal/apm/backends/metadata\" | \"GET /internal/apm/backends/charts/latency\" | \"GET /internal/apm/backends/charts/throughput\" | \"GET /internal/apm/backends/charts/error_rate\" | \"POST /internal/apm/correlations/p_values\" | \"GET /internal/apm/correlations/field_candidates\" | \"POST /internal/apm/correlations/field_stats\" | \"GET /internal/apm/correlations/field_value_stats\" | \"POST /internal/apm/correlations/field_value_pairs\" | \"POST /internal/apm/correlations/significant_correlations\" | \"GET /internal/apm/fallback_to_transactions\" | \"GET /internal/apm/has_data\" | \"GET /internal/apm/event_metadata/{processorEvent}/{id}\" | \"GET /internal/apm/agent_keys\" | \"GET /internal/apm/agent_keys/privileges\" | \"POST /internal/apm/api_key/invalidate\" | \"POST /api/apm/agent_keys\"" ], "path": "x-pack/plugins/apm/server/routes/apm_routes/get_global_apm_server_route_repository.ts", "deprecated": false, @@ -765,7 +765,7 @@ "label": "APMConfig", "description": [], "signature": [ - "{ readonly indices: Readonly<{} & { metric: string; error: string; span: string; transaction: string; sourcemap: string; onboarding: string; }>; readonly serviceMapEnabled: boolean; readonly serviceMapFingerprintBucketSize: number; readonly serviceMapTraceIdBucketSize: number; readonly serviceMapFingerprintGlobalBucketSize: number; readonly serviceMapTraceIdGlobalBucketSize: number; readonly serviceMapMaxTracesPerRequest: number; readonly autocreateApmIndexPattern: boolean; readonly ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; readonly searchAggregatedTransactions: ", + "{ readonly indices: Readonly<{} & { error: string; span: string; metric: string; transaction: string; sourcemap: string; onboarding: string; }>; readonly autoCreateApmDataView: boolean; readonly serviceMapEnabled: boolean; readonly serviceMapFingerprintBucketSize: number; readonly serviceMapTraceIdBucketSize: number; readonly serviceMapFingerprintGlobalBucketSize: number; readonly serviceMapTraceIdGlobalBucketSize: number; readonly serviceMapMaxTracesPerRequest: number; readonly ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; readonly searchAggregatedTransactions: ", "SearchAggregatedTransactionSetting", "; readonly telemetryCollectionEnabled: boolean; readonly metricsInterval: number; readonly profilingEnabled: boolean; readonly agent: Readonly<{} & { migrations: Readonly<{} & { enabled: boolean; }>; }>; }" ], @@ -781,7 +781,7 @@ "label": "ApmIndicesConfigName", "description": [], "signature": [ - "\"metric\" | \"error\" | \"span\" | \"transaction\" | \"sourcemap\" | \"onboarding\"" + "\"error\" | \"span\" | \"metric\" | \"transaction\" | \"sourcemap\" | \"onboarding\"" ], "path": "x-pack/plugins/apm/server/index.ts", "deprecated": false, @@ -880,9 +880,13 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { environments: string[]; }, ", + ", { environments: (\"ENVIRONMENT_NOT_DEFINED\" | \"ENVIRONMENT_ALL\" | ", + "Branded", + ")[]; }, ", "APMRouteCreateOptions", - ">; } & { \"GET /internal/apm/services/{serviceName}/errors\": ", + ">; } & { \"GET /internal/apm/services/{serviceName}/errors/groups/main_statistics\": ", { "pluginId": "@kbn/server-route-repository", "scope": "server", @@ -890,7 +894,7 @@ "section": "def-server.ServerRoute", "text": "ServerRoute" }, - "<\"GET /internal/apm/services/{serviceName}/errors\", ", + "<\"GET /internal/apm/services/{serviceName}/errors/groups/main_statistics\", ", "TypeC", "<{ path: ", "TypeC", @@ -932,7 +936,11 @@ "Type", "; end: ", "Type", - "; }>]>; }>, ", + "; }>, ", + "TypeC", + "<{ transactionType: ", + "StringC", + "; }>]>; }>, ", { "pluginId": "apm", "scope": "server", @@ -940,7 +948,75 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { errorGroups: { message: string; occurrenceCount: number; culprit: string | undefined; groupId: string; latestOccurrenceAt: string; handled: boolean | undefined; type: string | undefined; }[]; }, ", + ", { errorGroups: { groupId: string; name: string; lastSeen: number; occurrences: number; culprit: string | undefined; handled: boolean | undefined; type: string | undefined; }[]; }, ", + "APMRouteCreateOptions", + ">; } & { \"GET /internal/apm/services/{serviceName}/errors/groups/detailed_statistics\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"GET /internal/apm/services/{serviceName}/errors/groups/detailed_statistics\", ", + "TypeC", + "<{ path: ", + "TypeC", + "<{ serviceName: ", + "StringC", + "; }>; query: ", + "IntersectionC", + "<[", + "TypeC", + "<{ environment: ", + "UnionC", + "<[", + "LiteralC", + "<\"ENVIRONMENT_NOT_DEFINED\">, ", + "LiteralC", + "<\"ENVIRONMENT_ALL\">, ", + "BrandC", + "<", + "StringC", + ", ", + "NonEmptyStringBrand", + ">]>; }>, ", + "TypeC", + "<{ kuery: ", + "StringC", + "; }>, ", + "TypeC", + "<{ start: ", + "Type", + "; end: ", + "Type", + "; }>, ", + "PartialC", + "<{ comparisonStart: ", + "Type", + "; comparisonEnd: ", + "Type", + "; }>, ", + "TypeC", + "<{ numBuckets: ", + "Type", + "; transactionType: ", + "StringC", + "; groupIds: ", + "Type", + "; }>]>; }>, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { currentPeriod: _.Dictionary<{ groupId: string; timeseries: ", + "Coordinate", + "[]; }>; previousPeriod: _.Dictionary<{ timeseries: { x: number; y: ", + "Maybe", + "; }[]; groupId: string; }>; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/errors/{groupId}\": ", { @@ -1056,7 +1132,9 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { currentPeriod: { x: number; y: number; }[]; previousPeriod: { x: number; y: number | null | undefined; }[]; bucketSize: number; }, ", + ", { currentPeriod: { x: number; y: number; }[]; previousPeriod: { x: number; y: ", + "Maybe", + "; }[]; bucketSize: number; }, ", "APMRouteCreateOptions", ">; } & { \"POST /internal/apm/latency/overall_distribution\": ", { @@ -1764,7 +1842,11 @@ "Type", "; end: ", "Type", - "; }>]>; }>, ", + "; }>, ", + "PartialC", + "<{ offset: ", + "StringC", + "; }>]>; }>, ", { "pluginId": "apm", "scope": "server", @@ -1772,7 +1854,11 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { avgMemoryUsage: number | null; avgCpuUsage: number | null; transactionStats: { avgTransactionDuration: number | null; avgRequestsPerMinute: number | null; }; avgErrorRate: number | null; }, ", + ", { currentPeriod: ", + "NodeStats", + "; previousPeriod: ", + "NodeStats", + " | undefined; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/service-map/backend\": ", { @@ -1810,7 +1896,11 @@ "Type", "; end: ", "Type", - "; }>]>; }>, ", + "; }>, ", + "PartialC", + "<{ offset: ", + "StringC", + "; }>]>; }>, ", { "pluginId": "apm", "scope": "server", @@ -1818,7 +1908,11 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { avgErrorRate: null; transactionStats: { avgRequestsPerMinute: null; avgTransactionDuration: null; }; } | { avgErrorRate: number; transactionStats: { avgRequestsPerMinute: number; avgTransactionDuration: number; }; }, ", + ", { currentPeriod: ", + "NodeStats", + "; previousPeriod: ", + "NodeStats", + " | undefined; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/serviceNodes\": ", { @@ -2206,151 +2300,31 @@ "TypeC", "<{ serviceName: ", "StringC", - "; }>; body: ", - "IntersectionC", - "<[", - "TypeC", - "<{ '@timestamp': ", - "Type", - "; service: ", - "IntersectionC", - "<[", - "TypeC", - "<{ version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ environment: ", - "StringC", - "; }>]>; }>, ", - "PartialC", - "<{ message: ", - "StringC", - "; tags: ", - "ArrayC", - "<", - "StringC", - ">; }>]>; }>, ", - { - "pluginId": "apm", - "scope": "server", - "docId": "kibApmPluginApi", - "section": "def-server.APMRouteHandlerResources", - "text": "APMRouteHandlerResources" - }, - ", { _id: string; _index: string; _source: ", - "Annotation", - "; }, ", - "APMRouteCreateOptions", - ">; } & { \"GET /internal/apm/services/{serviceName}/error_groups/main_statistics\": ", - { - "pluginId": "@kbn/server-route-repository", - "scope": "server", - "docId": "kibKbnServerRouteRepositoryPluginApi", - "section": "def-server.ServerRoute", - "text": "ServerRoute" - }, - "<\"GET /internal/apm/services/{serviceName}/error_groups/main_statistics\", ", - "TypeC", - "<{ path: ", - "TypeC", - "<{ serviceName: ", - "StringC", - "; }>; query: ", - "IntersectionC", - "<[", - "TypeC", - "<{ environment: ", - "UnionC", - "<[", - "LiteralC", - "<\"ENVIRONMENT_NOT_DEFINED\">, ", - "LiteralC", - "<\"ENVIRONMENT_ALL\">, ", - "BrandC", - "<", - "StringC", - ", ", - "NonEmptyStringBrand", - ">]>; }>, ", - "TypeC", - "<{ kuery: ", - "StringC", - "; }>, ", - "TypeC", - "<{ start: ", - "Type", - "; end: ", - "Type", - "; }>, ", - "TypeC", - "<{ transactionType: ", - "StringC", - "; }>]>; }>, ", - { - "pluginId": "apm", - "scope": "server", - "docId": "kibApmPluginApi", - "section": "def-server.APMRouteHandlerResources", - "text": "APMRouteHandlerResources" - }, - ", { is_aggregation_accurate: boolean; error_groups: { group_id: string; name: string; lastSeen: number; occurrences: number; }[]; }, ", - "APMRouteCreateOptions", - ">; } & { \"GET /internal/apm/services/{serviceName}/error_groups/detailed_statistics\": ", - { - "pluginId": "@kbn/server-route-repository", - "scope": "server", - "docId": "kibKbnServerRouteRepositoryPluginApi", - "section": "def-server.ServerRoute", - "text": "ServerRoute" - }, - "<\"GET /internal/apm/services/{serviceName}/error_groups/detailed_statistics\", ", - "TypeC", - "<{ path: ", - "TypeC", - "<{ serviceName: ", - "StringC", - "; }>; query: ", - "IntersectionC", - "<[", - "TypeC", - "<{ environment: ", - "UnionC", - "<[", - "LiteralC", - "<\"ENVIRONMENT_NOT_DEFINED\">, ", - "LiteralC", - "<\"ENVIRONMENT_ALL\">, ", - "BrandC", - "<", - "StringC", - ", ", - "NonEmptyStringBrand", - ">]>; }>, ", - "TypeC", - "<{ kuery: ", - "StringC", - "; }>, ", - "TypeC", - "<{ start: ", - "Type", - "; end: ", - "Type", - "; }>, ", - "PartialC", - "<{ comparisonStart: ", - "Type", - "; comparisonEnd: ", - "Type", - "; }>, ", + "; }>; body: ", + "IntersectionC", + "<[", "TypeC", - "<{ numBuckets: ", + "<{ '@timestamp': ", "Type", - "; transactionType: ", + "; service: ", + "IntersectionC", + "<[", + "TypeC", + "<{ version: ", "StringC", - "; groupIds: ", - "Type", - "; }>]>; }>, ", + "; }>, ", + "PartialC", + "<{ environment: ", + "StringC", + "; }>]>; }>, ", + "PartialC", + "<{ message: ", + "StringC", + "; tags: ", + "ArrayC", + "<", + "StringC", + ">; }>]>; }>, ", { "pluginId": "apm", "scope": "server", @@ -2358,9 +2332,9 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { currentPeriod: _.Dictionary<{ groupId: string; timeseries: ", - "Coordinate", - "[]; }>; previousPeriod: _.Dictionary<{ timeseries: { x: number; y: number | null | undefined; }[]; groupId: string; }>; }, ", + ", { _id: string; _index: string; _source: ", + "Annotation", + "; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/service_overview_instances/details/{serviceNodeName}\": ", { @@ -2480,7 +2454,9 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { currentPeriod: { x: number; y: number | null; }[]; previousPeriod: { x: number; y: number | null | undefined; }[]; }, ", + ", { currentPeriod: { x: number; y: number | null; }[]; previousPeriod: { x: number; y: ", + "Maybe", + "; }[]; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/service_overview_instances/main_statistics\": ", { @@ -2642,7 +2618,17 @@ "Coordinate", "[] | undefined; memoryUsage?: ", "Coordinate", - "[] | undefined; }>; previousPeriod: _.Dictionary<{ cpuUsage: { x: number; y: number | null | undefined; }[]; errorRate: { x: number; y: number | null | undefined; }[]; latency: { x: number; y: number | null | undefined; }[]; memoryUsage: { x: number; y: number | null | undefined; }[]; throughput: { x: number; y: number | null | undefined; }[]; serviceNodeName: string; }>; }, ", + "[] | undefined; }>; previousPeriod: _.Dictionary<{ cpuUsage: { x: number; y: ", + "Maybe", + "; }[]; errorRate: { x: number; y: ", + "Maybe", + "; }[]; latency: { x: number; y: ", + "Maybe", + "; }[]; memoryUsage: { x: number; y: ", + "Maybe", + "; }[]; throughput: { x: number; y: ", + "Maybe", + "; }[]; serviceNodeName: string; }>; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/dependencies\": ", { @@ -3000,6 +2986,44 @@ }, ", { serviceInfrastructure: { containerIds: string[]; hostNames: string[]; }; }, ", "APMRouteCreateOptions", + ">; } & { \"GET /internal/apm/services/{serviceName}/anomaly_charts\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"GET /internal/apm/services/{serviceName}/anomaly_charts\", ", + "TypeC", + "<{ path: ", + "TypeC", + "<{ serviceName: ", + "StringC", + "; }>; query: ", + "IntersectionC", + "<[", + "TypeC", + "<{ start: ", + "Type", + "; end: ", + "Type", + "; }>, ", + "TypeC", + "<{ transactionType: ", + "StringC", + "; }>]>; }>, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { allAnomalyTimeseries: ", + "ServiceAnomalyTimeseries", + "[]; }, ", + "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/suggestions\": ", { "pluginId": "@kbn/server-route-repository", @@ -3054,11 +3078,11 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { exceedsMax: boolean; traceDocs: TypeOfProcessorEvent<", - "ProcessorEvent", - ".transaction | ", - "ProcessorEvent", - ".span>[]; errorDocs: ", + ", { exceedsMax: boolean; traceDocs: (", + "Transaction", + " | ", + "Span", + ")[]; errorDocs: ", "APMError", "[]; }, ", "APMRouteCreateOptions", @@ -3106,9 +3130,11 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { items: ", - "TransactionGroup", - "[]; }, ", + ", { items: { key: ", + "BucketKey", + "; serviceName: string; transactionName: string; averageResponseTime: number | null; transactionsPerMinute: number; transactionType: string; impact: number; agentName: ", + "AgentName", + "; }[]; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/traces/{traceId}/root_transaction\": ", { @@ -3312,7 +3338,13 @@ "Coordinate", "[]; errorRate: ", "Coordinate", - "[]; impact: number; }>; previousPeriod: _.Dictionary<{ errorRate: { x: number; y: number | null | undefined; }[]; throughput: { x: number; y: number | null | undefined; }[]; latency: { x: number; y: number | null | undefined; }[]; transactionName: string; impact: number; }>; }, ", + "[]; impact: number; }>; previousPeriod: _.Dictionary<{ errorRate: { x: number; y: ", + "Maybe", + "; }[]; throughput: { x: number; y: ", + "Maybe", + "; }[]; latency: { x: number; y: ", + "Maybe", + "; }[]; transactionName: string; impact: number; }>; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/transactions/charts/latency\": ", { @@ -3392,7 +3424,9 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { currentPeriod: { overallAvgDuration: number | null; latencyTimeseries: { x: number; y: number | null; }[]; }; previousPeriod: { latencyTimeseries: { x: number; y: number | null | undefined; }[]; overallAvgDuration: number | null; }; anomalyTimeseries: { jobId: string; anomalyScore: { x0: number; x: number; y: number; }[]; anomalyBoundaries: { x: number; y0: number; y: number; }[]; } | undefined; }, ", + ", { currentPeriod: { overallAvgDuration: number | null; latencyTimeseries: { x: number; y: number | null; }[]; }; previousPeriod: { latencyTimeseries: { x: number; y: ", + "Maybe", + "; }[]; overallAvgDuration: number | null; }; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/services/{serviceName}/transactions/traces/samples\": ", { @@ -3584,7 +3618,9 @@ }, ", { currentPeriod: { timeseries: ", "Coordinate", - "[]; average: number | null; }; previousPeriod: { timeseries: { x: number; y: number | null | undefined; }[]; average: number | null; }; }, ", + "[]; average: number | null; }; previousPeriod: { timeseries: { x: number; y: ", + "Maybe", + "; }[]; average: number | null; }; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/alerts/chart_preview/transaction_error_rate\": ", { @@ -4018,7 +4054,9 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { jobs: { job_id: string; environment: string; }[]; hasLegacyJobs: boolean; }, ", + ", { jobs: ", + "ApmMlJob", + "[]; hasLegacyJobs: boolean; }, ", "APMRouteCreateOptions", ">; } & { \"POST /internal/apm/settings/anomaly-detection/jobs\": ", { @@ -4035,8 +4073,18 @@ "<{ environments: ", "ArrayC", "<", + "UnionC", + "<[", + "LiteralC", + "<\"ENVIRONMENT_NOT_DEFINED\">, ", + "LiteralC", + "<\"ENVIRONMENT_ALL\">, ", + "BrandC", + "<", "StringC", - ">; }>; }>, ", + ", ", + "NonEmptyStringBrand", + ">]>>; }>; }>, ", { "pluginId": "apm", "scope": "server", @@ -4064,6 +4112,24 @@ }, ", { environments: string[]; }, ", "APMRouteCreateOptions", + ">; } & { \"POST /internal/apm/settings/anomaly-detection/update_to_v3\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"POST /internal/apm/settings/anomaly-detection/update_to_v3\", undefined, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { update: boolean; }, ", + "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/settings/apm-index-settings\": ", { "pluginId": "@kbn/server-route-repository", @@ -4080,7 +4146,7 @@ "section": "def-server.APMRouteHandlerResources", "text": "APMRouteHandlerResources" }, - ", { apmIndexSettings: { configurationName: \"metric\" | \"error\" | \"span\" | \"transaction\" | \"sourcemap\" | \"onboarding\"; defaultValue: string; savedValue: string | undefined; }[]; }, ", + ", { apmIndexSettings: { configurationName: \"error\" | \"span\" | \"metric\" | \"transaction\" | \"sourcemap\" | \"onboarding\"; defaultValue: string; savedValue: string | undefined; }[]; }, ", "APMRouteCreateOptions", ">; } & { \"GET /internal/apm/settings/apm-indices\": ", { @@ -5028,6 +5094,12 @@ "StringC", "; }>, ", "TypeC", + "<{ fieldsToSample: ", + "ArrayC", + "<", + "StringC", + ">; }>, ", + "TypeC", "<{ environment: ", "UnionC", "<[", @@ -5050,13 +5122,7 @@ "Type", "; end: ", "Type", - "; }>, ", - "TypeC", - "<{ fieldsToSample: ", - "ArrayC", - "<", - "StringC", - ">; }>]>; }>, ", + "; }>]>; }>, ", { "pluginId": "apm", "scope": "server", @@ -5068,6 +5134,72 @@ "FieldStats", "[]; errors: any[]; }, ", "APMRouteCreateOptions", + ">; } & { \"GET /internal/apm/correlations/field_value_stats\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"GET /internal/apm/correlations/field_value_stats\", ", + "TypeC", + "<{ query: ", + "IntersectionC", + "<[", + "PartialC", + "<{ serviceName: ", + "StringC", + "; transactionName: ", + "StringC", + "; transactionType: ", + "StringC", + "; }>, ", + "TypeC", + "<{ environment: ", + "UnionC", + "<[", + "LiteralC", + "<\"ENVIRONMENT_NOT_DEFINED\">, ", + "LiteralC", + "<\"ENVIRONMENT_ALL\">, ", + "BrandC", + "<", + "StringC", + ", ", + "NonEmptyStringBrand", + ">]>; }>, ", + "TypeC", + "<{ kuery: ", + "StringC", + "; }>, ", + "TypeC", + "<{ start: ", + "Type", + "; end: ", + "Type", + "; }>, ", + "TypeC", + "<{ fieldName: ", + "StringC", + "; fieldValue: ", + "UnionC", + "<[", + "StringC", + ", ", + "NumberC", + "]>; }>]>; }>, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", ", + "TopValuesStats", + ", ", + "APMRouteCreateOptions", ">; } & { \"POST /internal/apm/correlations/field_value_pairs\": ", { "pluginId": "@kbn/server-route-repository", @@ -5296,6 +5428,110 @@ }, ", { metadata: Partial>; }, ", "APMRouteCreateOptions", + ">; } & { \"GET /internal/apm/agent_keys\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"GET /internal/apm/agent_keys\", undefined, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { agentKeys: ", + "ApiKey", + "[]; }, ", + "APMRouteCreateOptions", + ">; } & { \"GET /internal/apm/agent_keys/privileges\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"GET /internal/apm/agent_keys/privileges\", undefined, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { areApiKeysEnabled: boolean; isAdmin: boolean; canManage: boolean; }, ", + "APMRouteCreateOptions", + ">; } & { \"POST /internal/apm/api_key/invalidate\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"POST /internal/apm/api_key/invalidate\", ", + "TypeC", + "<{ body: ", + "TypeC", + "<{ id: ", + "StringC", + "; }>; }>, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { invalidatedAgentKeys: string[]; }, ", + "APMRouteCreateOptions", + ">; } & { \"POST /api/apm/agent_keys\": ", + { + "pluginId": "@kbn/server-route-repository", + "scope": "server", + "docId": "kibKbnServerRouteRepositoryPluginApi", + "section": "def-server.ServerRoute", + "text": "ServerRoute" + }, + "<\"POST /api/apm/agent_keys\", ", + "TypeC", + "<{ body: ", + "TypeC", + "<{ name: ", + "StringC", + "; privileges: ", + "ArrayC", + "<", + "UnionC", + "<[", + "LiteralC", + "<", + "PrivilegeType", + ".SOURCEMAP>, ", + "LiteralC", + "<", + "PrivilegeType", + ".EVENT>, ", + "LiteralC", + "<", + "PrivilegeType", + ".AGENT_CONFIG>]>>; }>; }>, ", + { + "pluginId": "apm", + "scope": "server", + "docId": "kibApmPluginApi", + "section": "def-server.APMRouteHandlerResources", + "text": "APMRouteHandlerResources" + }, + ", { agentKey: ", + "SecurityCreateApiKeyResponse", + "; }, ", + "APMRouteCreateOptions", ">; }>" ], "path": "x-pack/plugins/apm/server/routes/apm_routes/get_global_apm_server_route_repository.ts", @@ -5323,7 +5559,7 @@ "description": [], "signature": [ "Observable", - "; serviceMapEnabled: boolean; serviceMapFingerprintBucketSize: number; serviceMapTraceIdBucketSize: number; serviceMapFingerprintGlobalBucketSize: number; serviceMapTraceIdGlobalBucketSize: number; serviceMapMaxTracesPerRequest: number; autocreateApmIndexPattern: boolean; ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; searchAggregatedTransactions: ", + "; autoCreateApmDataView: boolean; serviceMapEnabled: boolean; serviceMapFingerprintBucketSize: number; serviceMapTraceIdBucketSize: number; serviceMapFingerprintGlobalBucketSize: number; serviceMapTraceIdGlobalBucketSize: number; serviceMapMaxTracesPerRequest: number; ui: Readonly<{} & { enabled: boolean; transactionGroupBucketSize: number; maxTraceItems: number; }>; searchAggregatedTransactions: ", "SearchAggregatedTransactionSetting", "; telemetryCollectionEnabled: boolean; metricsInterval: number; profilingEnabled: boolean; agent: Readonly<{} & { migrations: Readonly<{} & { enabled: boolean; }>; }>; }>>" ], @@ -5365,17 +5601,9 @@ }, "; context: ", "ApmPluginRequestHandlerContext", - "; }) => Promise<{ search(operationName: string, params: TParams): Promise<", - "InferSearchResponseOf", - ">, ESSearchRequestOf, {}>>; termsEnum(operationName: string, params: ", - "APMEventESTermsEnumRequest", - "): Promise<", - "TermsEnumResponse", - ">; }>" + "; }) => Promise<", + "APMEventClient", + ">" ], "path": "x-pack/plugins/apm/server/types.ts", "deprecated": false, diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index 54a6d5e0070582..bc6167008a548c 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -16,9 +16,9 @@ Contact [APM UI](https://github.com/orgs/elastic/teams/apm-ui) for questions reg **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 39 | 0 | 39 | 42 | +| 40 | 0 | 40 | 48 | ## Client diff --git a/api_docs/banners.json b/api_docs/banners.json index d370967767d939..eae41491a43d29 100644 --- a/api_docs/banners.json +++ b/api_docs/banners.json @@ -38,7 +38,7 @@ "label": "placement", "description": [], "signature": [ - "\"disabled\" | \"top\"" + "\"top\" | \"disabled\"" ], "path": "x-pack/plugins/banners/common/types.ts", "deprecated": false @@ -129,7 +129,7 @@ "label": "BannerPlacement", "description": [], "signature": [ - "\"disabled\" | \"top\"" + "\"top\" | \"disabled\"" ], "path": "x-pack/plugins/banners/common/types.ts", "deprecated": false, diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index 5f433b3f6f574f..403d6671aad18c 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -16,7 +16,7 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 9 | 0 | 9 | 0 | diff --git a/api_docs/bfetch.mdx b/api_docs/bfetch.mdx index ca32afc24e1661..9203b5e6113397 100644 --- a/api_docs/bfetch.mdx +++ b/api_docs/bfetch.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 76 | 1 | 67 | 2 | diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index 6e52215267748b..18f7c86e644fd3 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -16,7 +16,7 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 9 | 0 | 8 | 3 | diff --git a/api_docs/cases.json b/api_docs/cases.json index 84125b5a24daca..3c3cf5399ebfc0 100644 --- a/api_docs/cases.json +++ b/api_docs/cases.json @@ -577,7 +577,7 @@ "section": "def-public.GetCasesProps", "text": "GetCasesProps" }, - ">" + ", string | React.JSXElementConstructor>" ], "path": "x-pack/plugins/cases/public/types.ts", "deprecated": false, @@ -633,7 +633,7 @@ "section": "def-public.GetAllCasesSelectorModalProps", "text": "GetAllCasesSelectorModalProps" }, - ">" + ", string | React.JSXElementConstructor>" ], "path": "x-pack/plugins/cases/public/types.ts", "deprecated": false, @@ -691,7 +691,7 @@ "section": "def-public.GetCreateCaseFlyoutProps", "text": "GetCreateCaseFlyoutProps" }, - ">" + ", string | React.JSXElementConstructor>" ], "path": "x-pack/plugins/cases/public/types.ts", "deprecated": false, @@ -749,7 +749,7 @@ "section": "def-public.GetRecentCasesProps", "text": "GetRecentCasesProps" }, - ">" + ", string | React.JSXElementConstructor>" ], "path": "x-pack/plugins/cases/public/types.ts", "deprecated": false, @@ -919,6 +919,21 @@ ], "path": "x-pack/plugins/cases/server/client/client.ts", "deprecated": false + }, + { + "parentPluginId": "cases", + "id": "def-server.CasesClient.metrics", + "type": "Object", + "tags": [], + "label": "metrics", + "description": [ + "\nRetrieves an interface for retrieving metrics related to the cases entities." + ], + "signature": [ + "MetricsSubClient" + ], + "path": "x-pack/plugins/cases/server/client/client.ts", + "deprecated": false } ], "initialIsOpen": false @@ -994,7 +1009,7 @@ } ], "returnComment": [ - "a {@link CasesClient}" + "a {@link CasesClient }" ] } ], @@ -1010,76 +1025,48 @@ "functions": [ { "parentPluginId": "cases", - "id": "def-common.createPlainError", + "id": "def-common.getAllConnectorsUrl", "type": "Function", "tags": [], - "label": "createPlainError", - "description": [], + "label": "getAllConnectorsUrl", + "description": [ + "\n" + ], "signature": [ - "(message: string) => Error" + "() => string" ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", + "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.createPlainError.$1", - "type": "string", - "tags": [], - "label": "message", - "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", - "deprecated": false, - "isRequired": true - } + "children": [], + "returnComment": [ + "All connectors endpoint" ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.decodeOrThrow", + "id": "def-common.getCasesFromAlertsUrl", "type": "Function", "tags": [], - "label": "decodeOrThrow", + "label": "getCasesFromAlertsUrl", "description": [], "signature": [ - "(runtimeType: ", - "Type", - ", createError?: ErrorFactory) => (inputValue: I) => A" + "(alertId: string) => string" ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", + "path": "x-pack/plugins/cases/common/api/helpers.ts", "deprecated": false, "children": [ { "parentPluginId": "cases", - "id": "def-common.decodeOrThrow.$1", - "type": "Object", - "tags": [], - "label": "runtimeType", - "description": [], - "signature": [ - "Type", - "" - ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "cases", - "id": "def-common.decodeOrThrow.$2", - "type": "Function", + "id": "def-common.getCasesFromAlertsUrl.$1", + "type": "string", "tags": [], - "label": "createError", + "label": "alertId", "description": [], "signature": [ - "ErrorFactory" + "string" ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", + "path": "x-pack/plugins/cases/common/api/helpers.ts", "deprecated": false, "isRequired": true } @@ -1089,62 +1076,48 @@ }, { "parentPluginId": "cases", - "id": "def-common.excess", + "id": "def-common.getCreateConnectorUrl", "type": "Function", "tags": [], - "label": "excess", - "description": [], + "label": "getCreateConnectorUrl", + "description": [ + "\n" + ], "signature": [ - "(codec: C) => C" + "() => string" ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", + "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.excess.$1", - "type": "Uncategorized", - "tags": [], - "label": "codec", - "description": [], - "signature": [ - "C" - ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", - "deprecated": false, - "isRequired": true - } + "children": [], + "returnComment": [ + "Create connector endpoint" ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.formatErrors", + "id": "def-common.throwErrors", "type": "Function", - "tags": [ - "deprecated" - ], - "label": "formatErrors", + "tags": [], + "label": "throwErrors", "description": [], "signature": [ - "(errors: ", + "(createError: ErrorFactory) => (errors: ", "Errors", - ") => string[]" + ") => never" ], "path": "x-pack/plugins/cases/common/api/runtime_types.ts", - "deprecated": true, - "references": [], + "deprecated": false, "children": [ { "parentPluginId": "cases", - "id": "def-common.formatErrors.$1", - "type": "Object", + "id": "def-common.throwErrors.$1", + "type": "Function", "tags": [], - "label": "errors", + "label": "createError", "description": [], "signature": [ - "Errors" + "ErrorFactory" ], "path": "x-pack/plugins/cases/common/api/runtime_types.ts", "deprecated": false, @@ -1153,24641 +1126,383 @@ ], "returnComment": [], "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getAllConnectorsUrl", - "type": "Function", - "tags": [], - "label": "getAllConnectorsUrl", - "description": [ - "\n" - ], - "signature": [ - "() => string" - ], - "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", - "deprecated": false, - "children": [], - "returnComment": [ - "All connectors endpoint" - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getAllConnectorTypesUrl", - "type": "Function", - "tags": [], - "label": "getAllConnectorTypesUrl", - "description": [ - "\n" - ], - "signature": [ - "() => string" - ], - "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", - "deprecated": false, - "children": [], - "returnComment": [ - "Connector types endpoint" - ], - "initialIsOpen": false - }, + } + ], + "interfaces": [ { "parentPluginId": "cases", - "id": "def-common.getCaseCommentDetailsUrl", - "type": "Function", + "id": "def-common.Case", + "type": "Interface", "tags": [], - "label": "getCaseCommentDetailsUrl", + "label": "Case", "description": [], "signature": [ - "(caseId: string, commentId: string) => string" + { + "pluginId": "cases", + "scope": "common", + "docId": "kibCasesPluginApi", + "section": "def-common.Case", + "text": "Case" + }, + " extends BasicCase" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", + "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, "children": [ { "parentPluginId": "cases", - "id": "def-common.getCaseCommentDetailsUrl.$1", - "type": "string", + "id": "def-common.Case.connector", + "type": "CompoundType", "tags": [], - "label": "caseId", + "label": "connector", "description": [], "signature": [ - "string" + "{ id: string; } & ({ name: string; } & ({ type: ", + "ConnectorTypes", + ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; } | { type: ", + "ConnectorTypes", + ".none; fields: null; } | { type: ", + "ConnectorTypes", + ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; } | { type: ", + "ConnectorTypes", + ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; } | { type: ", + "ConnectorTypes", + ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; } | { type: ", + "ConnectorTypes", + ".swimlane; fields: { caseId: string | null; } | null; }))" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false }, { "parentPluginId": "cases", - "id": "def-common.getCaseCommentDetailsUrl.$2", + "id": "def-common.Case.description", "type": "string", "tags": [], - "label": "commentId", + "label": "description", "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCaseCommentsUrl", - "type": "Function", - "tags": [], - "label": "getCaseCommentsUrl", - "description": [], - "signature": [ - "(id: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getCaseCommentsUrl.$1", - "type": "string", + "id": "def-common.Case.externalService", + "type": "CompoundType", "tags": [], - "label": "id", + "label": "externalService", "description": [], "signature": [ - "string" + "CaseExternalService", + " | null" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCaseConfigurationDetailsUrl", - "type": "Function", - "tags": [], - "label": "getCaseConfigurationDetailsUrl", - "description": [], - "signature": [ - "(configureID: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getCaseConfigurationDetailsUrl.$1", - "type": "string", + "id": "def-common.Case.subCases", + "type": "CompoundType", "tags": [], - "label": "configureID", + "label": "subCases", "description": [], "signature": [ - "string" + { + "pluginId": "cases", + "scope": "common", + "docId": "kibCasesPluginApi", + "section": "def-common.SubCase", + "text": "SubCase" + }, + "[] | null | undefined" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCaseDetailsUrl", - "type": "Function", - "tags": [], - "label": "getCaseDetailsUrl", - "description": [], - "signature": [ - "(id: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getCaseDetailsUrl.$1", - "type": "string", + "id": "def-common.Case.subCaseIds", + "type": "Array", "tags": [], - "label": "id", + "label": "subCaseIds", "description": [], "signature": [ - "string" + "string[]" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCasePushUrl", - "type": "Function", - "tags": [], - "label": "getCasePushUrl", - "description": [], - "signature": [ - "(caseId: string, connectorId: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getCasePushUrl.$1", - "type": "string", + "id": "def-common.Case.settings", + "type": "Object", "tags": [], - "label": "caseId", + "label": "settings", "description": [], "signature": [ - "string" + "{ syncAlerts: boolean; }" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false }, { "parentPluginId": "cases", - "id": "def-common.getCasePushUrl.$2", - "type": "string", + "id": "def-common.Case.tags", + "type": "Array", "tags": [], - "label": "connectorId", + "label": "tags", "description": [], "signature": [ - "string" + "string[]" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCasesFromAlertsUrl", - "type": "Function", - "tags": [], - "label": "getCasesFromAlertsUrl", - "description": [], - "signature": [ - "(alertId: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getCasesFromAlertsUrl.$1", - "type": "string", + "id": "def-common.Case.type", + "type": "Enum", "tags": [], - "label": "alertId", + "label": "type", "description": [], "signature": [ - "string" + "CaseType" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false } ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.getCaseUserActionUrl", - "type": "Function", + "id": "def-common.Ecs", + "type": "Interface", "tags": [], - "label": "getCaseUserActionUrl", + "label": "Ecs", "description": [], - "signature": [ - "(id: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", + "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, "children": [ { "parentPluginId": "cases", - "id": "def-common.getCaseUserActionUrl.$1", + "id": "def-common.Ecs._id", "type": "string", "tags": [], - "label": "id", + "label": "_id", "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getCreateConnectorUrl", - "type": "Function", - "tags": [], - "label": "getCreateConnectorUrl", - "description": [ - "\n" - ], - "signature": [ - "() => string" - ], - "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", - "deprecated": false, - "children": [], - "returnComment": [ - "Create connector endpoint" - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getExecuteConnectorUrl", - "type": "Function", - "tags": [], - "label": "getExecuteConnectorUrl", - "description": [ - "\n" - ], - "signature": [ - "(connectorId: string) => string" - ], - "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getExecuteConnectorUrl.$1", + "id": "def-common.Ecs._index", "type": "string", "tags": [], - "label": "connectorId", + "label": "_index", "description": [], "signature": [ - "string" + "string | undefined" ], - "path": "x-pack/plugins/cases/common/utils/connectors_api.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [ - "Execute connector endpoint" - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getSubCaseDetailsUrl", - "type": "Function", - "tags": [], - "label": "getSubCaseDetailsUrl", - "description": [], - "signature": [ - "(caseID: string, subCaseId: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false + }, { "parentPluginId": "cases", - "id": "def-common.getSubCaseDetailsUrl.$1", - "type": "string", + "id": "def-common.Ecs.signal", + "type": "Object", "tags": [], - "label": "caseID", + "label": "signal", "description": [], "signature": [ - "string" + "SignalEcs", + " | undefined" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false }, { "parentPluginId": "cases", - "id": "def-common.getSubCaseDetailsUrl.$2", - "type": "string", + "id": "def-common.Ecs.kibana", + "type": "Object", "tags": [], - "label": "subCaseId", + "label": "kibana", "description": [], "signature": [ - "string" + "{ alert: ", + "SignalEcsAAD", + "; } | undefined" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false } ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.getSubCasesUrl", - "type": "Function", + "id": "def-common.SubCase", + "type": "Interface", "tags": [], - "label": "getSubCasesUrl", + "label": "SubCase", "description": [], "signature": [ - "(caseID: string) => string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "children": [ { - "parentPluginId": "cases", - "id": "def-common.getSubCasesUrl.$1", - "type": "string", - "tags": [], - "label": "caseID", - "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.getSubCaseUserActionUrl", - "type": "Function", - "tags": [], - "label": "getSubCaseUserActionUrl", - "description": [], - "signature": [ - "(caseID: string, subCaseId: string) => string" + "pluginId": "cases", + "scope": "common", + "docId": "kibCasesPluginApi", + "section": "def-common.SubCase", + "text": "SubCase" + }, + " extends BasicCase" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", + "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, "children": [ { "parentPluginId": "cases", - "id": "def-common.getSubCaseUserActionUrl.$1", - "type": "string", + "id": "def-common.SubCase.associationType", + "type": "Enum", "tags": [], - "label": "caseID", + "label": "associationType", "description": [], "signature": [ - "string" + "AssociationType" ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false }, { "parentPluginId": "cases", - "id": "def-common.getSubCaseUserActionUrl.$2", + "id": "def-common.SubCase.caseParentId", "type": "string", "tags": [], - "label": "subCaseId", + "label": "caseParentId", "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/helpers.ts", - "deprecated": false, - "isRequired": true + "path": "x-pack/plugins/cases/common/ui/types.ts", + "deprecated": false } ], - "returnComment": [], "initialIsOpen": false - }, + } + ], + "enums": [ { "parentPluginId": "cases", - "id": "def-common.isCreateConnector", - "type": "Function", + "id": "def-common.CaseStatuses", + "type": "Enum", "tags": [], - "label": "isCreateConnector", + "label": "CaseStatuses", "description": [], - "signature": [ - "(action: string | undefined, actionFields: string[] | undefined) => boolean" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", + "path": "x-pack/plugins/cases/common/api/cases/status.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.isCreateConnector.$1", - "type": "string", - "tags": [], - "label": "action", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - }, - { - "parentPluginId": "cases", - "id": "def-common.isCreateConnector.$2", - "type": "Array", - "tags": [], - "label": "actionFields", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.isPush", - "type": "Function", + "id": "def-common.CommentType", + "type": "Enum", "tags": [], - "label": "isPush", + "label": "CommentType", "description": [], - "signature": [ - "(action: string | undefined, actionFields: string[] | undefined) => boolean" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", + "path": "x-pack/plugins/cases/common/api/cases/comment.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.isPush.$1", - "type": "string", - "tags": [], - "label": "action", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - }, - { - "parentPluginId": "cases", - "id": "def-common.isPush.$2", - "type": "Array", - "tags": [], - "label": "actionFields", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], "initialIsOpen": false - }, + } + ], + "misc": [ { "parentPluginId": "cases", - "id": "def-common.isUpdateConnector", - "type": "Function", + "id": "def-common.CASES_URL", + "type": "string", "tags": [], - "label": "isUpdateConnector", - "description": [], + "label": "CASES_URL", + "description": [ + "\nCase routes" + ], "signature": [ - "(action: string | undefined, actionFields: string[] | undefined) => boolean" + "\"/api/cases\"" ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", + "path": "x-pack/plugins/cases/common/constants.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.isUpdateConnector.$1", - "type": "string", - "tags": [], - "label": "action", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - }, - { - "parentPluginId": "cases", - "id": "def-common.isUpdateConnector.$2", - "type": "Array", - "tags": [], - "label": "actionFields", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/utils/user_actions.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.throwErrors", - "type": "Function", + "id": "def-common.CasesFeatures", + "type": "Type", "tags": [], - "label": "throwErrors", + "label": "CasesFeatures", "description": [], "signature": [ - "(createError: ErrorFactory) => (errors: ", - "Errors", - ") => never" + "{ alerts?: { sync: boolean; } | undefined; metrics?: ", + "CaseMetricsFeature", + "[] | undefined; }" ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", + "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.throwErrors.$1", - "type": "Function", - "tags": [], - "label": "createError", - "description": [], - "signature": [ - "ErrorFactory" - ], - "path": "x-pack/plugins/cases/common/api/runtime_types.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [ + }, { "parentPluginId": "cases", - "id": "def-common.ActionLicense", - "type": "Interface", + "id": "def-common.CaseViewRefreshPropInterface", + "type": "Type", "tags": [], - "label": "ActionLicense", - "description": [], + "label": "CaseViewRefreshPropInterface", + "description": [ + "\nThe type for the `refreshRef` prop (a `React.Ref`) defined by the `CaseViewComponentProps`.\n" + ], + "signature": [ + "{ refreshCase: () => Promise; } | null" + ], "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.ActionLicense.id", - "type": "string", - "tags": [], - "label": "id", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionLicense.name", - "type": "string", - "tags": [], - "label": "name", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionLicense.enabled", - "type": "boolean", - "tags": [], - "label": "enabled", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionLicense.enabledInConfig", - "type": "boolean", - "tags": [], - "label": "enabledInConfig", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionLicense.enabledInLicense", - "type": "boolean", - "tags": [], - "label": "enabledInLicense", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.AllCases", - "type": "Interface", + "id": "def-common.ENABLE_CASE_CONNECTOR", + "type": "boolean", "tags": [], - "label": "AllCases", - "description": [], + "label": "ENABLE_CASE_CONNECTOR", + "description": [ + "\nThis flag governs enabling the case as a connector feature. It is disabled by default as the feature is not complete." + ], "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AllCases", - "text": "AllCases" - }, - " extends ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CasesStatus", - "text": "CasesStatus" - } + "false" ], - "path": "x-pack/plugins/cases/common/ui/types.ts", + "path": "x-pack/plugins/cases/common/constants.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.AllCases.cases", - "type": "Array", - "tags": [], - "label": "cases", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - }, - "[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCases.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCases.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCases.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.ApiProps", - "type": "Interface", + "id": "def-common.SECURITY_SOLUTION_OWNER", + "type": "string", "tags": [], - "label": "ApiProps", + "label": "SECURITY_SOLUTION_OWNER", "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.ApiProps.signal", - "type": "Object", - "tags": [], - "label": "signal", - "description": [], - "signature": [ - "AbortSignal" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } + "signature": [ + "\"securitySolution\"" ], + "path": "x-pack/plugins/cases/common/constants.ts", + "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "cases", - "id": "def-common.BulkUpdateStatus", - "type": "Interface", + "id": "def-common.StatusAll", + "type": "string", "tags": [], - "label": "BulkUpdateStatus", + "label": "StatusAll", "description": [], + "signature": [ + "\"all\"" + ], "path": "x-pack/plugins/cases/common/ui/types.ts", "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.BulkUpdateStatus.status", - "type": "string", - "tags": [], - "label": "status", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.BulkUpdateStatus.id", - "type": "string", - "tags": [], - "label": "id", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.BulkUpdateStatus.version", - "type": "string", - "tags": [], - "label": "version", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case", - "type": "Interface", - "tags": [], - "label": "Case", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - }, - " extends BasicCase" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.Case.connector", - "type": "CompoundType", - "tags": [], - "label": "connector", - "description": [], - "signature": [ - "({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; })" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.description", - "type": "string", - "tags": [], - "label": "description", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.externalService", - "type": "CompoundType", - "tags": [], - "label": "externalService", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseExternalService", - "text": "CaseExternalService" - }, - " | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.subCases", - "type": "CompoundType", - "tags": [], - "label": "subCases", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SubCase", - "text": "SubCase" - }, - "[] | null | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.subCaseIds", - "type": "Array", - "tags": [], - "label": "subCaseIds", - "description": [], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.settings", - "type": "Object", - "tags": [], - "label": "settings", - "description": [], - "signature": [ - "{ syncAlerts: boolean; }" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.tags", - "type": "Array", - "tags": [], - "label": "tags", - "description": [], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Case.type", - "type": "Enum", - "tags": [], - "label": "type", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService", - "type": "Interface", - "tags": [], - "label": "CaseExternalService", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.pushedAt", - "type": "string", - "tags": [], - "label": "pushedAt", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.pushedBy", - "type": "Object", - "tags": [], - "label": "pushedBy", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.connectorId", - "type": "string", - "tags": [], - "label": "connectorId", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.connectorName", - "type": "string", - "tags": [], - "label": "connectorName", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.externalId", - "type": "string", - "tags": [], - "label": "externalId", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.externalTitle", - "type": "string", - "tags": [], - "label": "externalTitle", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalService.externalUrl", - "type": "string", - "tags": [], - "label": "externalUrl", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatus", - "type": "Interface", - "tags": [], - "label": "CasesStatus", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.CasesStatus.countClosedCases", - "type": "CompoundType", - "tags": [], - "label": "countClosedCases", - "description": [], - "signature": [ - "number | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatus.countOpenCases", - "type": "CompoundType", - "tags": [], - "label": "countOpenCases", - "description": [], - "signature": [ - "number | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatus.countInProgressCases", - "type": "CompoundType", - "tags": [], - "label": "countInProgressCases", - "description": [], - "signature": [ - "number | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesUiConfigType", - "type": "Interface", - "tags": [], - "label": "CasesUiConfigType", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.CasesUiConfigType.markdownPlugins", - "type": "Object", - "tags": [], - "label": "markdownPlugins", - "description": [], - "signature": [ - "{ lens: boolean; }" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions", - "type": "Interface", - "tags": [], - "label": "CaseUserActions", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.actionId", - "type": "string", - "tags": [], - "label": "actionId", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.actionField", - "type": "Array", - "tags": [], - "label": "actionField", - "description": [], - "signature": [ - "(\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\")[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.action", - "type": "CompoundType", - "tags": [], - "label": "action", - "description": [], - "signature": [ - "\"create\" | \"delete\" | \"update\" | \"add\" | \"push-to-service\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.actionAt", - "type": "string", - "tags": [], - "label": "actionAt", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.actionBy", - "type": "Object", - "tags": [], - "label": "actionBy", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.caseId", - "type": "string", - "tags": [], - "label": "caseId", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.commentId", - "type": "CompoundType", - "tags": [], - "label": "commentId", - "description": [], - "signature": [ - "string | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.newValue", - "type": "CompoundType", - "tags": [], - "label": "newValue", - "description": [], - "signature": [ - "string | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.newValConnectorId", - "type": "CompoundType", - "tags": [], - "label": "newValConnectorId", - "description": [], - "signature": [ - "string | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.oldValue", - "type": "CompoundType", - "tags": [], - "label": "oldValue", - "description": [], - "signature": [ - "string | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActions.oldValConnectorId", - "type": "CompoundType", - "tags": [], - "label": "oldValConnectorId", - "description": [], - "signature": [ - "string | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.DeleteCase", - "type": "Interface", - "tags": [], - "label": "DeleteCase", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.DeleteCase.id", - "type": "string", - "tags": [], - "label": "id", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.DeleteCase.type", - "type": "CompoundType", - "tags": [], - "label": "type", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - " | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.DeleteCase.title", - "type": "string", - "tags": [], - "label": "title", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Ecs", - "type": "Interface", - "tags": [], - "label": "Ecs", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.Ecs._id", - "type": "string", - "tags": [], - "label": "_id", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Ecs._index", - "type": "string", - "tags": [], - "label": "_index", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Ecs.signal", - "type": "Object", - "tags": [], - "label": "signal", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SignalEcs", - "text": "SignalEcs" - }, - " | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Ecs.kibana", - "type": "Object", - "tags": [], - "label": "kibana", - "description": [], - "signature": [ - "{ alert: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SignalEcsAAD", - "text": "SignalEcsAAD" - }, - "; } | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ElasticUser", - "type": "Interface", - "tags": [], - "label": "ElasticUser", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.ElasticUser.email", - "type": "CompoundType", - "tags": [], - "label": "email", - "description": [], - "signature": [ - "string | null | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ElasticUser.fullName", - "type": "CompoundType", - "tags": [], - "label": "fullName", - "description": [], - "signature": [ - "string | null | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ElasticUser.username", - "type": "CompoundType", - "tags": [], - "label": "username", - "description": [], - "signature": [ - "string | null | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FetchCasesProps", - "type": "Interface", - "tags": [], - "label": "FetchCasesProps", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.FetchCasesProps", - "text": "FetchCasesProps" - }, - " extends ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ApiProps", - "text": "ApiProps" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.FetchCasesProps.queryParams", - "type": "Object", - "tags": [], - "label": "queryParams", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.QueryParams", - "text": "QueryParams" - }, - " | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FetchCasesProps.filterOptions", - "type": "CompoundType", - "tags": [], - "label": "filterOptions", - "description": [], - "signature": [ - "(", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.FilterOptions", - "text": "FilterOptions" - }, - " & { owner: string[]; }) | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FieldMappings", - "type": "Interface", - "tags": [], - "label": "FieldMappings", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.FieldMappings.id", - "type": "string", - "tags": [], - "label": "id", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FieldMappings.title", - "type": "string", - "tags": [], - "label": "title", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions", - "type": "Interface", - "tags": [], - "label": "FilterOptions", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions.search", - "type": "string", - "tags": [], - "label": "search", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions.status", - "type": "CompoundType", - "tags": [], - "label": "status", - "description": [], - "signature": [ - "\"all\" | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions.tags", - "type": "Array", - "tags": [], - "label": "tags", - "description": [], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions.reporters", - "type": "Array", - "tags": [], - "label": "reporters", - "description": [], - "signature": [ - "{ email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FilterOptions.onlyCollectionType", - "type": "CompoundType", - "tags": [], - "label": "onlyCollectionType", - "description": [], - "signature": [ - "boolean | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.QueryParams", - "type": "Interface", - "tags": [], - "label": "QueryParams", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.QueryParams.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.QueryParams.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.QueryParams.sortField", - "type": "Enum", - "tags": [], - "label": "sortField", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SortFieldCase", - "text": "SortFieldCase" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.QueryParams.sortOrder", - "type": "CompoundType", - "tags": [], - "label": "sortOrder", - "description": [], - "signature": [ - "\"asc\" | \"desc\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ResolvedCase", - "type": "Interface", - "tags": [], - "label": "ResolvedCase", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.ResolvedCase.case", - "type": "Object", - "tags": [], - "label": "case", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ResolvedCase.outcome", - "type": "CompoundType", - "tags": [], - "label": "outcome", - "description": [], - "signature": [ - "\"conflict\" | \"aliasMatch\" | \"exactMatch\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ResolvedCase.aliasTargetId", - "type": "string", - "tags": [], - "label": "aliasTargetId", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs", - "type": "Interface", - "tags": [], - "label": "RuleEcs", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.id", - "type": "Array", - "tags": [], - "label": "id", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.rule_id", - "type": "Array", - "tags": [], - "label": "rule_id", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.name", - "type": "Array", - "tags": [], - "label": "name", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.false_positives", - "type": "Array", - "tags": [], - "label": "false_positives", - "description": [], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.saved_id", - "type": "Array", - "tags": [], - "label": "saved_id", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.timeline_id", - "type": "Array", - "tags": [], - "label": "timeline_id", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.timeline_title", - "type": "Array", - "tags": [], - "label": "timeline_title", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.max_signals", - "type": "Array", - "tags": [], - "label": "max_signals", - "description": [], - "signature": [ - "number[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.risk_score", - "type": "Array", - "tags": [], - "label": "risk_score", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.output_index", - "type": "Array", - "tags": [], - "label": "output_index", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.description", - "type": "Array", - "tags": [], - "label": "description", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.from", - "type": "Array", - "tags": [], - "label": "from", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.immutable", - "type": "Array", - "tags": [], - "label": "immutable", - "description": [], - "signature": [ - "boolean[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.index", - "type": "Array", - "tags": [], - "label": "index", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.interval", - "type": "Array", - "tags": [], - "label": "interval", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.language", - "type": "Array", - "tags": [], - "label": "language", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.query", - "type": "Array", - "tags": [], - "label": "query", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.references", - "type": "Array", - "tags": [], - "label": "references", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.severity", - "type": "Array", - "tags": [], - "label": "severity", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.tags", - "type": "Array", - "tags": [], - "label": "tags", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.threat", - "type": "Unknown", - "tags": [], - "label": "threat", - "description": [], - "signature": [ - "unknown" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.threshold", - "type": "Unknown", - "tags": [], - "label": "threshold", - "description": [], - "signature": [ - "unknown" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.type", - "type": "Array", - "tags": [], - "label": "type", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.size", - "type": "Array", - "tags": [], - "label": "size", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.to", - "type": "Array", - "tags": [], - "label": "to", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.enabled", - "type": "Array", - "tags": [], - "label": "enabled", - "description": [], - "signature": [ - "boolean[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.filters", - "type": "Unknown", - "tags": [], - "label": "filters", - "description": [], - "signature": [ - "unknown" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.created_at", - "type": "Array", - "tags": [], - "label": "created_at", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.updated_at", - "type": "Array", - "tags": [], - "label": "updated_at", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.created_by", - "type": "Array", - "tags": [], - "label": "created_by", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.updated_by", - "type": "Array", - "tags": [], - "label": "updated_by", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.version", - "type": "Array", - "tags": [], - "label": "version", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.note", - "type": "Array", - "tags": [], - "label": "note", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.RuleEcs.building_block_type", - "type": "Array", - "tags": [], - "label": "building_block_type", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs", - "type": "Interface", - "tags": [], - "label": "SignalEcs", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs.rule", - "type": "Object", - "tags": [], - "label": "rule", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.RuleEcs", - "text": "RuleEcs" - }, - " | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs.original_time", - "type": "Array", - "tags": [], - "label": "original_time", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs.status", - "type": "Array", - "tags": [], - "label": "status", - "description": [], - "signature": [ - "string[] | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs.group", - "type": "Object", - "tags": [], - "label": "group", - "description": [], - "signature": [ - "{ id?: string[] | undefined; } | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcs.threshold_result", - "type": "Unknown", - "tags": [], - "label": "threshold_result", - "description": [], - "signature": [ - "unknown" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCase", - "type": "Interface", - "tags": [], - "label": "SubCase", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SubCase", - "text": "SubCase" - }, - " extends BasicCase" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.SubCase.associationType", - "type": "Enum", - "tags": [], - "label": "associationType", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCase.caseParentId", - "type": "string", - "tags": [], - "label": "caseParentId", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey", - "type": "Interface", - "tags": [], - "label": "UpdateByKey", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.updateKey", - "type": "CompoundType", - "tags": [], - "label": "updateKey", - "description": [], - "signature": [ - "\"title\" | \"tags\" | \"description\" | \"status\" | \"settings\" | \"connector\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.updateValue", - "type": "CompoundType", - "tags": [], - "label": "updateValue", - "description": [], - "signature": [ - "string | string[] | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }) | { syncAlerts: boolean; } | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.fetchCaseUserActions", - "type": "Function", - "tags": [], - "label": "fetchCaseUserActions", - "description": [], - "signature": [ - "((caseId: string, caseConnectorId: string, subCaseId?: string | undefined) => void) | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.fetchCaseUserActions.$1", - "type": "string", - "tags": [], - "label": "caseId", - "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.fetchCaseUserActions.$2", - "type": "string", - "tags": [], - "label": "caseConnectorId", - "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.fetchCaseUserActions.$3", - "type": "string", - "tags": [], - "label": "subCaseId", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [] - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.updateCase", - "type": "Function", - "tags": [], - "label": "updateCase", - "description": [], - "signature": [ - "((newCase: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - }, - ") => void) | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.updateCase.$1", - "type": "Object", - "tags": [], - "label": "newCase", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.caseData", - "type": "Object", - "tags": [], - "label": "caseData", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.Case", - "text": "Case" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.onSuccess", - "type": "Function", - "tags": [], - "label": "onSuccess", - "description": [], - "signature": [ - "(() => void) | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateByKey.onError", - "type": "Function", - "tags": [], - "label": "onError", - "description": [], - "signature": [ - "(() => void) | undefined" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "children": [], - "returnComment": [] - } - ], - "initialIsOpen": false - } - ], - "enums": [ - { - "parentPluginId": "cases", - "id": "def-common.AssociationType", - "type": "Enum", - "tags": [], - "label": "AssociationType", - "description": [ - "\nthis is used to differentiate between an alert attached to a top-level case and a group of alerts that should only\nbe attached to a sub case. The reason we need this is because an alert group comment will have references to both a case and\nsub case when it is created. For us to be able to filter out alert groups in a top-level case we need a field to\nuse as a filter." - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseStatuses", - "type": "Enum", - "tags": [], - "label": "CaseStatuses", - "description": [], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseType", - "type": "Enum", - "tags": [], - "label": "CaseType", - "description": [], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentType", - "type": "Enum", - "tags": [], - "label": "CommentType", - "description": [], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorTypes", - "type": "Enum", - "tags": [], - "label": "ConnectorTypes", - "description": [], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SortFieldCase", - "type": "Enum", - "tags": [], - "label": "SortFieldCase", - "description": [], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SwimlaneConnectorType", - "type": "Enum", - "tags": [], - "label": "SwimlaneConnectorType", - "description": [], - "path": "x-pack/plugins/cases/common/api/connectors/swimlane.ts", - "deprecated": false, - "initialIsOpen": false - } - ], - "misc": [ - { - "parentPluginId": "cases", - "id": "def-common.ACTION_TYPES_URL", - "type": "string", - "tags": [], - "label": "ACTION_TYPES_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ACTION_URL", - "type": "string", - "tags": [], - "label": "ACTION_URL", - "description": [ - "\nAction routes" - ], - "signature": [ - "\"/api/actions\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionConnector", - "type": "Type", - "tags": [], - "label": "ActionConnector", - "description": [], - "signature": [ - { - "pluginId": "actions", - "scope": "common", - "docId": "kibActionsPluginApi", - "section": "def-common.ActionResult", - "text": "ActionResult" - } - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionType", - "type": "Type", - "tags": [], - "label": "ActionType", - "description": [], - "signature": [ - "\"append\" | \"overwrite\" | \"nothing\"" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ActionTypeConnector", - "type": "Type", - "tags": [], - "label": "ActionTypeConnector", - "description": [], - "signature": [ - { - "pluginId": "actions", - "scope": "common", - "docId": "kibActionsPluginApi", - "section": "def-common.ActionType", - "text": "ActionType" - } - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AlertResponse", - "type": "Type", - "tags": [], - "label": "AlertResponse", - "description": [], - "signature": [ - "{ id: string; index: string; attached_at: string; }[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/alerts.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCommentsResponse", - "type": "Type", - "tags": [], - "label": "AllCommentsResponse", - "description": [], - "signature": [ - "(({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllReportersFindRequest", - "type": "Type", - "tags": [], - "label": "AllReportersFindRequest", - "description": [], - "signature": [ - "{ owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllTagsFindRequest", - "type": "Type", - "tags": [], - "label": "AllTagsFindRequest", - "description": [], - "signature": [ - "{ owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.APP_ID", - "type": "string", - "tags": [], - "label": "APP_ID", - "description": [], - "signature": [ - "\"cases\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AttributesTypeActions", - "type": "Type", - "tags": [], - "label": "AttributesTypeActions", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AttributesTypeAlerts", - "type": "Type", - "tags": [], - "label": "AttributesTypeAlerts", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AttributesTypeUser", - "type": "Type", - "tags": [], - "label": "AttributesTypeUser", - "description": [], - "signature": [ - "{ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_ALERTS_URL", - "type": "string", - "tags": [], - "label": "CASE_ALERTS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_COMMENT_DETAILS_URL", - "type": "string", - "tags": [], - "label": "CASE_COMMENT_DETAILS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_COMMENT_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "CASE_COMMENT_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases-comments\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_COMMENTS_URL", - "type": "string", - "tags": [], - "label": "CASE_COMMENTS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_CONFIGURE_CONNECTORS_URL", - "type": "string", - "tags": [], - "label": "CASE_CONFIGURE_CONNECTORS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_CONFIGURE_DETAILS_URL", - "type": "string", - "tags": [], - "label": "CASE_CONFIGURE_DETAILS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_CONFIGURE_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "CASE_CONFIGURE_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases-configure\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_CONFIGURE_URL", - "type": "string", - "tags": [], - "label": "CASE_CONFIGURE_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_CONNECTOR_MAPPINGS_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "CASE_CONNECTOR_MAPPINGS_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases-connector-mappings\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_DETAILS_ALERTS_URL", - "type": "string", - "tags": [], - "label": "CASE_DETAILS_ALERTS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_DETAILS_URL", - "type": "string", - "tags": [], - "label": "CASE_DETAILS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_PUSH_URL", - "type": "string", - "tags": [], - "label": "CASE_PUSH_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_REPORTERS_URL", - "type": "string", - "tags": [], - "label": "CASE_REPORTERS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "CASE_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_STATUS_URL", - "type": "string", - "tags": [], - "label": "CASE_STATUS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_TAGS_URL", - "type": "string", - "tags": [], - "label": "CASE_TAGS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_USER_ACTION_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "CASE_USER_ACTION_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases-user-actions\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASE_USER_ACTIONS_URL", - "type": "string", - "tags": [], - "label": "CASE_USER_ACTIONS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseActionConnector", - "type": "Type", - "tags": [], - "label": "CaseActionConnector", - "description": [], - "signature": [ - { - "pluginId": "actions", - "scope": "common", - "docId": "kibActionsPluginApi", - "section": "def-common.ActionResult", - "text": "ActionResult" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseAttributes", - "type": "Type", - "tags": [], - "label": "CaseAttributes", - "description": [], - "signature": [ - "{ description: string; status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; tags: string[]; title: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; external_service: ({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConnector", - "type": "Type", - "tags": [], - "label": "CaseConnector", - "description": [], - "signature": [ - "({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; })" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseField", - "type": "Type", - "tags": [], - "label": "CaseField", - "description": [], - "signature": [ - "\"title\" | \"description\" | \"comments\"" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseFullExternalService", - "type": "Type", - "tags": [], - "label": "CaseFullExternalService", - "description": [], - "signature": [ - "({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasePatchRequest", - "type": "Type", - "tags": [], - "label": "CasePatchRequest", - "description": [], - "signature": [ - "{ description?: string | undefined; status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; tags?: string[] | undefined; title?: string | undefined; type?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - " | undefined; connector?: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }) | undefined; settings?: { syncAlerts: boolean; } | undefined; owner?: string | undefined; } & { id: string; version: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasePostRequest", - "type": "Type", - "tags": [], - "label": "CasePostRequest", - "description": [], - "signature": [ - "{ type?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - " | undefined; } & { description: string; tags: string[]; title: string; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseResolveResponse", - "type": "Type", - "tags": [], - "label": "CaseResolveResponse", - "description": [], - "signature": [ - "{ case: { description: string; status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; tags: string[]; title: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; external_service: ({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { subCaseIds?: string[] | undefined; subCases?: ({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[] | undefined; comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; }; outcome: \"conflict\" | \"aliasMatch\" | \"exactMatch\"; } & { alias_target_id?: string | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseResponse", - "type": "Type", - "tags": [], - "label": "CaseResponse", - "description": [], - "signature": [ - "{ description: string; status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; tags: string[]; title: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; external_service: ({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { subCaseIds?: string[] | undefined; subCases?: ({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[] | undefined; comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CASES_URL", - "type": "string", - "tags": [], - "label": "CASES_URL", - "description": [ - "\nCase routes" - ], - "signature": [ - "\"/api/cases\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesByAlertId", - "type": "Type", - "tags": [], - "label": "CasesByAlertId", - "description": [], - "signature": [ - "{ id: string; title: string; }[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesByAlertIDRequest", - "type": "Type", - "tags": [], - "label": "CasesByAlertIDRequest", - "description": [], - "signature": [ - "{ owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesClientPostRequest", - "type": "Type", - "tags": [], - "label": "CasesClientPostRequest", - "description": [ - "\nThis field differs from the CasePostRequest in that the post request's type field can be optional. This type requires\nthat the type field be defined. The CasePostRequest should be used in most places (the UI etc). This type is really\nonly necessary for validation." - ], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; description: string; tags: string[]; title: string; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigurationsResponse", - "type": "Type", - "tags": [], - "label": "CasesConfigurationsResponse", - "description": [], - "signature": [ - "({ connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); closure_type: \"close-by-user\" | \"close-by-pushing\"; } & { owner: string; } & { created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { mappings: { action_type: \"append\" | \"overwrite\" | \"nothing\"; source: \"title\" | \"description\" | \"comments\"; target: string; }[]; owner: string; } & { id: string; version: string; error: string | null; owner: string; })[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigure", - "type": "Type", - "tags": [], - "label": "CasesConfigure", - "description": [], - "signature": [ - "{ connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); closure_type: \"close-by-user\" | \"close-by-pushing\"; } & { owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigureAttributes", - "type": "Type", - "tags": [], - "label": "CasesConfigureAttributes", - "description": [], - "signature": [ - "{ connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); closure_type: \"close-by-user\" | \"close-by-pushing\"; } & { owner: string; } & { created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigurePatch", - "type": "Type", - "tags": [], - "label": "CasesConfigurePatch", - "description": [], - "signature": [ - "{ connector?: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }) | undefined; closure_type?: \"close-by-user\" | \"close-by-pushing\" | undefined; } & { version: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigureRequest", - "type": "Type", - "tags": [], - "label": "CasesConfigureRequest", - "description": [], - "signature": [ - "{ connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); closure_type: \"close-by-user\" | \"close-by-pushing\"; } & { owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigureResponse", - "type": "Type", - "tags": [], - "label": "CasesConfigureResponse", - "description": [], - "signature": [ - "{ connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); closure_type: \"close-by-user\" | \"close-by-pushing\"; } & { owner: string; } & { created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { mappings: { action_type: \"append\" | \"overwrite\" | \"nothing\"; source: \"title\" | \"description\" | \"comments\"; target: string; }[]; owner: string; } & { id: string; version: string; error: string | null; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseSettings", - "type": "Type", - "tags": [], - "label": "CaseSettings", - "description": [], - "signature": [ - "{ syncAlerts: boolean; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesFindRequest", - "type": "Type", - "tags": [], - "label": "CasesFindRequest", - "description": [], - "signature": [ - "{ type?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - " | undefined; tags?: string | string[] | undefined; status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; reporters?: string | string[] | undefined; defaultSearchOperator?: \"AND\" | \"OR\" | undefined; fields?: string[] | undefined; page?: number | undefined; perPage?: number | undefined; search?: string | undefined; searchFields?: string | string[] | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesFindResponse", - "type": "Type", - "tags": [], - "label": "CasesFindResponse", - "description": [], - "signature": [ - "{ cases: ({ description: string; status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; tags: string[]; title: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; external_service: ({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { subCaseIds?: string[] | undefined; subCases?: ({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[] | undefined; comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[]; page: number; per_page: number; total: number; } & { count_open_cases: number; count_in_progress_cases: number; count_closed_cases: number; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesPatchRequest", - "type": "Type", - "tags": [], - "label": "CasesPatchRequest", - "description": [], - "signature": [ - "{ cases: ({ description?: string | undefined; status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; tags?: string[] | undefined; title?: string | undefined; type?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - " | undefined; connector?: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }) | undefined; settings?: { syncAlerts: boolean; } | undefined; owner?: string | undefined; } & { id: string; version: string; })[]; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesResponse", - "type": "Type", - "tags": [], - "label": "CasesResponse", - "description": [], - "signature": [ - "({ description: string; status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; tags: string[]; title: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - "; connector: ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ id: string; } & { name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }); settings: { syncAlerts: boolean; }; owner: string; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; external_service: ({ connector_id: string | null; } & { connector_name: string; external_id: string; external_title: string; external_url: string; pushed_at: string; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; }) | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { subCaseIds?: string[] | undefined; subCases?: ({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[] | undefined; comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatusRequest", - "type": "Type", - "tags": [], - "label": "CasesStatusRequest", - "description": [], - "signature": [ - "{ owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatusResponse", - "type": "Type", - "tags": [], - "label": "CasesStatusResponse", - "description": [], - "signature": [ - "{ count_open_cases: number; count_in_progress_cases: number; count_closed_cases: number; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.caseStatuses", - "type": "Array", - "tags": [], - "label": "caseStatuses", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseStatusWithAllStatus", - "type": "Type", - "tags": [], - "label": "CaseStatusWithAllStatus", - "description": [], - "signature": [ - "\"all\" | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - } - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.caseTypeField", - "type": "string", - "tags": [], - "label": "caseTypeField", - "description": [ - "\nExposing the field used to define the case type so that it can be used for filtering in saved object find queries." - ], - "signature": [ - "\"type\"" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionAttributes", - "type": "Type", - "tags": [], - "label": "CaseUserActionAttributes", - "description": [], - "signature": [ - "{ action_field: (\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\")[]; action: \"create\" | \"delete\" | \"update\" | \"add\" | \"push-to-service\"; action_at: string; action_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; new_value: string | null; old_value: string | null; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionConnector", - "type": "Type", - "tags": [], - "label": "CaseUserActionConnector", - "description": [], - "signature": [ - "({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }) | ({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; }) | ({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }) | ({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }) | ({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }) | ({ name: string; } & { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; })" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionResponse", - "type": "Type", - "tags": [], - "label": "CaseUserActionResponse", - "description": [], - "signature": [ - "{ action_field: (\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\")[]; action: \"create\" | \"delete\" | \"update\" | \"add\" | \"push-to-service\"; action_at: string; action_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; new_value: string | null; old_value: string | null; owner: string; } & { action_id: string; case_id: string; comment_id: string | null; new_val_connector_id: string | null; old_val_connector_id: string | null; } & { sub_case_id?: string | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionsResponse", - "type": "Type", - "tags": [], - "label": "CaseUserActionsResponse", - "description": [], - "signature": [ - "({ action_field: (\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\")[]; action: \"create\" | \"delete\" | \"update\" | \"add\" | \"push-to-service\"; action_at: string; action_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; new_value: string | null; old_value: string | null; owner: string; } & { action_id: string; case_id: string; comment_id: string | null; new_val_connector_id: string | null; old_val_connector_id: string | null; } & { sub_case_id?: string | undefined; })[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseViewRefreshPropInterface", - "type": "Type", - "tags": [], - "label": "CaseViewRefreshPropInterface", - "description": [ - "\nThe type for the `refreshRef` prop (a `React.Ref`) defined by the `CaseViewComponentProps`.\n" - ], - "signature": [ - "{ refreshUserActionsAndComments: () => Promise; refreshCase: () => Promise; } | null" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ClosureType", - "type": "Type", - "tags": [], - "label": "ClosureType", - "description": [], - "signature": [ - "\"close-by-user\" | \"close-by-pushing\"" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.Comment", - "type": "Type", - "tags": [], - "label": "Comment", - "description": [], - "signature": [ - "({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; id: string; createdAt: string; createdBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - "; pushedAt: string | null; pushedBy: string | null; updatedAt: string | null; updatedBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - " | null; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; id: string; createdAt: string; createdBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - "; pushedAt: string | null; pushedBy: string | null; updatedAt: string | null; updatedBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - " | null; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; id: string; createdAt: string; createdBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - "; pushedAt: string | null; pushedBy: string | null; updatedAt: string | null; updatedBy: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ElasticUser", - "text": "ElasticUser" - }, - " | null; version: string; })" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentAttributes", - "type": "Type", - "tags": [], - "label": "CommentAttributes", - "description": [], - "signature": [ - "({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; })" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentPatchAttributes", - "type": "Type", - "tags": [], - "label": "CommentPatchAttributes", - "description": [], - "signature": [ - "{ associationType?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - " | undefined; created_at?: string | undefined; created_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | undefined; owner?: string | undefined; pushed_at?: string | null | undefined; pushed_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null | undefined; updated_at?: string | null | undefined; updated_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null | undefined; } | ({ type?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert | undefined; alertId?: string | string[] | undefined; index?: string | string[] | undefined; rule?: { id: string | null; name: string | null; } | undefined; owner?: string | undefined; } & { associationType?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - " | undefined; created_at?: string | undefined; created_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | undefined; owner?: string | undefined; pushed_at?: string | null | undefined; pushed_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null | undefined; updated_at?: string | null | undefined; updated_by?: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null | undefined; })" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentPatchRequest", - "type": "Type", - "tags": [], - "label": "CommentPatchRequest", - "description": [], - "signature": [ - "({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { id: string; version: string; })" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentRequest", - "type": "Type", - "tags": [], - "label": "CommentRequest", - "description": [], - "signature": [ - "{ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentRequestActionsType", - "type": "Type", - "tags": [], - "label": "CommentRequestActionsType", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentRequestAlertType", - "type": "Type", - "tags": [], - "label": "CommentRequestAlertType", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentRequestUserType", - "type": "Type", - "tags": [], - "label": "CommentRequestUserType", - "description": [], - "signature": [ - "{ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponse", - "type": "Type", - "tags": [], - "label": "CommentResponse", - "description": [], - "signature": [ - "({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; })" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponseActionsType", - "type": "Type", - "tags": [], - "label": "CommentResponseActionsType", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponseAlertsType", - "type": "Type", - "tags": [], - "label": "CommentResponseAlertsType", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentsResponse", - "type": "Type", - "tags": [], - "label": "CommentsResponse", - "description": [], - "signature": [ - "{ comments: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[]; page: number; per_page: number; total: number; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorField", - "type": "Type", - "tags": [], - "label": "ConnectorField", - "description": [], - "signature": [ - "{ id: string; name: string; required: boolean; type: \"text\" | \"textarea\"; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorFields", - "type": "Type", - "tags": [], - "label": "ConnectorFields", - "description": [], - "signature": [ - "{ issueType: string | null; priority: string | null; parent: string | null; } | { incidentTypes: string[] | null; severityCode: string | null; } | { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorJiraTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorJiraTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorMappings", - "type": "Type", - "tags": [], - "label": "ConnectorMappings", - "description": [], - "signature": [ - "{ mappings: { action_type: \"append\" | \"overwrite\" | \"nothing\"; source: \"title\" | \"description\" | \"comments\"; target: string; }[]; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorMappingsAttributes", - "type": "Type", - "tags": [], - "label": "ConnectorMappingsAttributes", - "description": [], - "signature": [ - "{ action_type: \"append\" | \"overwrite\" | \"nothing\"; source: \"title\" | \"description\" | \"comments\"; target: string; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorResilientTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorResilientTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CONNECTORS_URL", - "type": "string", - "tags": [], - "label": "CONNECTORS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorServiceNowITSMTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorServiceNowITSMTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorServiceNowSIRTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorServiceNowSIRTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorSwimlaneTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorSwimlaneTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorTypeFields", - "type": "Type", - "tags": [], - "label": "ConnectorTypeFields", - "description": [], - "signature": [ - "{ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira; fields: { issueType: string | null; priority: string | null; parent: string | null; } | null; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none; fields: null; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient; fields: { incidentTypes: string[] | null; severityCode: string | null; } | null; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM; fields: { impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; } | null; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR; fields: { category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; } | null; } | { type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane; fields: { caseId: string | null; } | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.connectorTypes", - "type": "Array", - "tags": [], - "label": "connectorTypes", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - "[]" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.DEFAULT_DATE_FORMAT", - "type": "string", - "tags": [], - "label": "DEFAULT_DATE_FORMAT", - "description": [], - "signature": [ - "\"dateFormat\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.DEFAULT_DATE_FORMAT_TZ", - "type": "string", - "tags": [], - "label": "DEFAULT_DATE_FORMAT_TZ", - "description": [], - "signature": [ - "\"dateFormat:tz\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ENABLE_CASE_CONNECTOR", - "type": "boolean", - "tags": [], - "label": "ENABLE_CASE_CONNECTOR", - "description": [ - "\nThis flag governs enabling the case as a connector feature. It is disabled by default as the feature is not complete." - ], - "signature": [ - "false" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ExternalServiceResponse", - "type": "Type", - "tags": [], - "label": "ExternalServiceResponse", - "description": [], - "signature": [ - "{ title: string; id: string; pushedDate: string; url: string; } & { comments?: ({ commentId: string; pushedDate: string; } & { externalCommentId?: string | undefined; })[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FindQueryParams", - "type": "Type", - "tags": [], - "label": "FindQueryParams", - "description": [], - "signature": [ - "{ subCaseId?: string | undefined; defaultSearchOperator?: \"AND\" | \"OR\" | undefined; hasReferenceOperator?: \"AND\" | \"OR\" | undefined; hasReference?: { id: string; type: string; } | { id: string; type: string; }[] | undefined; fields?: string[] | undefined; filter?: string | undefined; page?: number | undefined; perPage?: number | undefined; search?: string | undefined; searchFields?: string[] | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.GetCaseIdsByAlertIdAggs", - "type": "Type", - "tags": [], - "label": "GetCaseIdsByAlertIdAggs", - "description": [], - "signature": [ - "{ references: { doc_count: number; caseIds: { buckets: { key: string; }[]; }; }; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.GetConfigureFindRequest", - "type": "Type", - "tags": [], - "label": "GetConfigureFindRequest", - "description": [], - "signature": [ - "{ owner?: string | string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.GetDefaultMappingsResponse", - "type": "Type", - "tags": [], - "label": "GetDefaultMappingsResponse", - "description": [], - "signature": [ - "{ action_type: \"append\" | \"overwrite\" | \"nothing\"; source: \"title\" | \"description\" | \"comments\"; target: string; }[]" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.JiraFieldsType", - "type": "Type", - "tags": [], - "label": "JiraFieldsType", - "description": [], - "signature": [ - "{ issueType: string | null; priority: string | null; parent: string | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/jira.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.MAX_ALERTS_PER_SUB_CASE", - "type": "number", - "tags": [], - "label": "MAX_ALERTS_PER_SUB_CASE", - "description": [ - "\nAlerts" - ], - "signature": [ - "5000" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.MAX_CONCURRENT_SEARCHES", - "type": "number", - "tags": [], - "label": "MAX_CONCURRENT_SEARCHES", - "description": [], - "signature": [ - "10" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.MAX_DOCS_PER_PAGE", - "type": "number", - "tags": [], - "label": "MAX_DOCS_PER_PAGE", - "description": [], - "signature": [ - "10000" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.MAX_GENERATED_ALERTS_PER_SUB_CASE", - "type": "number", - "tags": [], - "label": "MAX_GENERATED_ALERTS_PER_SUB_CASE", - "description": [], - "signature": [ - "50" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.MAX_TITLE_LENGTH", - "type": "number", - "tags": [], - "label": "MAX_TITLE_LENGTH", - "description": [ - "\nValidation" - ], - "signature": [ - "64" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.noneConnectorId", - "type": "string", - "tags": [], - "label": "noneConnectorId", - "description": [], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.OWNER_FIELD", - "type": "string", - "tags": [], - "label": "OWNER_FIELD", - "description": [ - "\nThis field is used for authorization of the entities within the cases plugin. Each entity within Cases will have the owner field\nset to a string that represents the plugin that \"owns\" (i.e. the plugin that originally issued the POST request to\ncreate the entity) the entity.\n\nThe Authorization class constructs a string composed of the operation being performed (createCase, getComment, etc),\nand the owner of the entity being acted upon or created. This string is then given to the Security plugin which\nchecks to see if the user making the request has that particular string stored within it's privileges. If it does,\nthen the operation succeeds, otherwise the operation fails.\n\nAPIs that create/update an entity require that the owner field be passed in the body of the request.\nAPIs that search for entities typically require that the owner be passed as a query parameter.\nAPIs that specify an ID of an entity directly generally don't need to specify the owner field.\n\nFor APIs that create/update an entity, the RBAC implementation checks to see if the user making the request has the\ncorrect privileges for performing that action (a create/update) for the specified owner.\nThis check is done through the Security plugin's API.\n\nFor APIs that search for entities, the RBAC implementation creates a filter for the saved objects query that limits\nthe search to only owners that the user has access to. We also check that the objects returned by the saved objects\nAPI have the limited owner scope. If we find one that the user does not have permissions for, we throw a 403 error.\nThe owner field that is passed in as a query parameter can be used to further limit the results. If a user attempts\nto pass an owner that they do not have access to, the owner is ignored.\n\nFor APIs that retrieve/delete entities directly using their ID, the RBAC implementation requests the object first,\nand then checks to see if the user making the request has access to that operation and owner. If the user does, the\noperation continues, otherwise we throw a 403." - ], - "signature": [ - "\"owner\"" - ], - "path": "x-pack/plugins/cases/common/api/cases/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ResilientFieldsType", - "type": "Type", - "tags": [], - "label": "ResilientFieldsType", - "description": [], - "signature": [ - "{ incidentTypes: string[] | null; severityCode: string | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/resilient.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SAVED_OBJECT_TYPES", - "type": "Array", - "tags": [], - "label": "SAVED_OBJECT_TYPES", - "description": [ - "\nIf more values are added here please also add them here: x-pack/test/cases_api_integration/common/fixtures/plugins" - ], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SavedObjectFindOptions", - "type": "Type", - "tags": [], - "label": "SavedObjectFindOptions", - "description": [], - "signature": [ - "{ defaultSearchOperator?: \"AND\" | \"OR\" | undefined; hasReferenceOperator?: \"AND\" | \"OR\" | undefined; hasReference?: { id: string; type: string; } | { id: string; type: string; }[] | undefined; fields?: string[] | undefined; filter?: string | undefined; page?: number | undefined; perPage?: number | undefined; search?: string | undefined; searchFields?: string[] | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/saved_object.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SECURITY_SOLUTION_OWNER", - "type": "string", - "tags": [], - "label": "SECURITY_SOLUTION_OWNER", - "description": [ - "\nThis must be the same value that the security solution plugin uses to define the case kind when it registers the\nfeature for the 7.13 migration only.\n\nThis variable is being also used by test files and mocks." - ], - "signature": [ - "\"securitySolution\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ServiceNowITSMFieldsType", - "type": "Type", - "tags": [], - "label": "ServiceNowITSMFieldsType", - "description": [], - "signature": [ - "{ impact: string | null; severity: string | null; urgency: string | null; category: string | null; subcategory: string | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/servicenow_itsm.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ServiceNowSIRFieldsType", - "type": "Type", - "tags": [], - "label": "ServiceNowSIRFieldsType", - "description": [], - "signature": [ - "{ category: string | null; destIp: boolean | null; malwareHash: boolean | null; malwareUrl: boolean | null; priority: string | null; sourceIp: boolean | null; subcategory: string | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/servicenow_sir.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SignalEcsAAD", - "type": "Type", - "tags": [], - "label": "SignalEcsAAD", - "description": [], - "signature": [ - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.SignalEcs", - "text": "SignalEcs" - }, - " & { rule?: (", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.RuleEcs", - "text": "RuleEcs" - }, - " & { uuid: string[]; }) | undefined; building_block_type?: string[] | undefined; workflow_status?: string[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.StatusAll", - "type": "string", - "tags": [], - "label": "StatusAll", - "description": [], - "signature": [ - "\"all\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.StatusAllType", - "type": "Type", - "tags": [], - "label": "StatusAllType", - "description": [], - "signature": [ - "\"all\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUB_CASE_DETAILS_URL", - "type": "string", - "tags": [], - "label": "SUB_CASE_DETAILS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUB_CASE_SAVED_OBJECT", - "type": "string", - "tags": [], - "label": "SUB_CASE_SAVED_OBJECT", - "description": [], - "signature": [ - "\"cases-sub-case\"" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUB_CASE_USER_ACTIONS_URL", - "type": "string", - "tags": [], - "label": "SUB_CASE_USER_ACTIONS_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUB_CASES_PATCH_DEL_URL", - "type": "string", - "tags": [], - "label": "SUB_CASES_PATCH_DEL_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUB_CASES_URL", - "type": "string", - "tags": [], - "label": "SUB_CASES_URL", - "description": [], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCaseAttributes", - "type": "Type", - "tags": [], - "label": "SubCaseAttributes", - "description": [], - "signature": [ - "{ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasePatchRequest", - "type": "Type", - "tags": [], - "label": "SubCasePatchRequest", - "description": [], - "signature": [ - "{ status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; } & { id: string; version: string; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCaseResponse", - "type": "Type", - "tags": [], - "label": "SubCaseResponse", - "description": [], - "signature": [ - "{ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesFindRequest", - "type": "Type", - "tags": [], - "label": "SubCasesFindRequest", - "description": [], - "signature": [ - "{ status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; defaultSearchOperator?: \"AND\" | \"OR\" | undefined; fields?: string[] | undefined; page?: number | undefined; perPage?: number | undefined; search?: string | undefined; searchFields?: string[] | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; owner?: string | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesFindResponse", - "type": "Type", - "tags": [], - "label": "SubCasesFindResponse", - "description": [], - "signature": [ - "{ subCases: ({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[]; page: number; per_page: number; total: number; } & { count_open_cases: number; count_in_progress_cases: number; count_closed_cases: number; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesPatchRequest", - "type": "Type", - "tags": [], - "label": "SubCasesPatchRequest", - "description": [], - "signature": [ - "{ subCases: ({ status?: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - " | undefined; } & { id: string; version: string; })[]; }" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesResponse", - "type": "Type", - "tags": [], - "label": "SubCasesResponse", - "description": [], - "signature": [ - "({ status: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - "; } & { closed_at: string | null; closed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; owner: string; } & { id: string; totalComment: number; totalAlerts: number; version: string; } & { comments?: (({ comment: string; type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert | ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert; alertId: string | string[]; index: string | string[]; rule: { id: string | null; name: string | null; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }) | ({ type: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions; comment: string; actions: { targets: { hostname: string; endpointId: string; }[]; type: string; }; owner: string; } & { associationType: ", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - "; created_at: string; created_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }; owner: string; pushed_at: string | null; pushed_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; updated_at: string | null; updated_by: { email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; } | null; } & { id: string; version: string; }))[] | undefined; })[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SUPPORTED_CONNECTORS", - "type": "Array", - "tags": [], - "label": "SUPPORTED_CONNECTORS", - "description": [], - "signature": [ - "string[]" - ], - "path": "x-pack/plugins/cases/common/constants.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SwimlaneFieldsType", - "type": "Type", - "tags": [], - "label": "SwimlaneFieldsType", - "description": [], - "signature": [ - "{ caseId: string | null; }" - ], - "path": "x-pack/plugins/cases/common/api/connectors/swimlane.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ThirdPartyField", - "type": "Type", - "tags": [], - "label": "ThirdPartyField", - "description": [], - "signature": [ - "string" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UpdateKey", - "type": "Type", - "tags": [], - "label": "UpdateKey", - "description": [], - "signature": [ - "\"title\" | \"tags\" | \"description\" | \"status\" | \"settings\" | \"connector\"" - ], - "path": "x-pack/plugins/cases/common/ui/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.User", - "type": "Type", - "tags": [], - "label": "User", - "description": [], - "signature": [ - "{ email: string | null | undefined; full_name: string | null | undefined; username: string | null | undefined; }" - ], - "path": "x-pack/plugins/cases/common/api/user.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UserAction", - "type": "Type", - "tags": [], - "label": "UserAction", - "description": [], - "signature": [ - "\"create\" | \"delete\" | \"update\" | \"add\" | \"push-to-service\"" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UserActionField", - "type": "Type", - "tags": [], - "label": "UserActionField", - "description": [], - "signature": [ - "(\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\")[]" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UserActionFieldType", - "type": "Type", - "tags": [], - "label": "UserActionFieldType", - "description": [], - "signature": [ - "\"title\" | \"tags\" | \"description\" | \"status\" | \"comment\" | \"settings\" | \"owner\" | \"connector\" | \"pushed\" | \"sub_case\"" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - } - ], - "objects": [ - { - "parentPluginId": "cases", - "id": "def-common.ActionsCommentRequestRt", - "type": "Object", - "tags": [], - "label": "ActionsCommentRequestRt", - "description": [], - "signature": [ - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AlertCommentRequestRt", - "type": "Object", - "tags": [], - "label": "AlertCommentRequestRt", - "description": [ - "\nThis defines the structure of how alerts (generated or user attached) are stored in saved objects documents. It also\nrepresents of an alert after it has been transformed. A generated alert will be transformed by the connector so that\nit matches this structure. User attached alerts do not need to be transformed." - ], - "signature": [ - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AlertResponseRt", - "type": "Object", - "tags": [], - "label": "AlertResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "TypeC", - "<{ id: ", - "StringC", - "; index: ", - "StringC", - "; attached_at: ", - "StringC", - "; }>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/alerts.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCommentsResponseRt", - "type": "Object", - "tags": [], - "label": "AllCommentsResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllCommentsResponseRT", - "type": "Object", - "tags": [], - "label": "AllCommentsResponseRT", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllReportersFindRequestRt", - "type": "Object", - "tags": [], - "label": "AllReportersFindRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.AllTagsFindRequestRt", - "type": "Object", - "tags": [], - "label": "AllTagsFindRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseAttributesRt", - "type": "Object", - "tags": [], - "label": "CaseAttributesRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; external_service: ", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConfigurationsResponseRt", - "type": "Object", - "tags": [], - "label": "CaseConfigurationsResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; closure_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"close-by-user\">, ", - "LiteralC", - "<\"close-by-pushing\">]>; }>, ", - "TypeC", - "<{ owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ mappings: ", - "ArrayC", - "<", - "TypeC", - "<{ action_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"append\">, ", - "LiteralC", - "<\"nothing\">, ", - "LiteralC", - "<\"overwrite\">]>; source: ", - "UnionC", - "<[", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"comments\">]>; target: ", - "UnionC", - "<[", - "StringC", - ", ", - "LiteralC", - "<\"not_mapped\">]>; }>>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; error: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConfigureAttributesRt", - "type": "Object", - "tags": [], - "label": "CaseConfigureAttributesRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; closure_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"close-by-user\">, ", - "LiteralC", - "<\"close-by-pushing\">]>; }>, ", - "TypeC", - "<{ owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConfigureRequestParamsRt", - "type": "Object", - "tags": [], - "label": "CaseConfigureRequestParamsRt", - "description": [], - "signature": [ - "TypeC", - "<{ configuration_id: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConfigureResponseRt", - "type": "Object", - "tags": [], - "label": "CaseConfigureResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; closure_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"close-by-user\">, ", - "LiteralC", - "<\"close-by-pushing\">]>; }>, ", - "TypeC", - "<{ owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ mappings: ", - "ArrayC", - "<", - "TypeC", - "<{ action_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"append\">, ", - "LiteralC", - "<\"nothing\">, ", - "LiteralC", - "<\"overwrite\">]>; source: ", - "UnionC", - "<[", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"comments\">]>; target: ", - "UnionC", - "<[", - "StringC", - ", ", - "LiteralC", - "<\"not_mapped\">]>; }>>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; error: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseConnectorRt", - "type": "Object", - "tags": [], - "label": "CaseConnectorRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseExternalServiceBasicRt", - "type": "Object", - "tags": [], - "label": "CaseExternalServiceBasicRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseFullExternalServiceRt", - "type": "Object", - "tags": [], - "label": "CaseFullExternalServiceRt", - "description": [], - "signature": [ - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasePatchRequestRt", - "type": "Object", - "tags": [], - "label": "CasePatchRequestRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "PartialC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasePostRequestRt", - "type": "Object", - "tags": [], - "label": "CasePostRequestRt", - "description": [ - "\nThis type is not used for validation when decoding a request because intersection does not have props defined which\nrequired for the excess function. Instead we use this as the type used by the UI. This allows the type field to be\noptional and the server will handle setting it to a default value before validating that the request\nhas all the necessary fields. CasesClientPostRequestRt is used for validation." - ], - "signature": [ - "IntersectionC", - "<[", - "PartialC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; }>, ", - "TypeC", - "<{ description: ", - "StringC", - "; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasePushRequestParamsRt", - "type": "Object", - "tags": [], - "label": "CasePushRequestParamsRt", - "description": [], - "signature": [ - "TypeC", - "<{ case_id: ", - "StringC", - "; connector_id: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseResolveResponseRt", - "type": "Object", - "tags": [], - "label": "CaseResolveResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ case: ", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; external_service: ", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ subCaseIds: ", - "ArrayC", - "<", - "StringC", - ">; subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>; outcome: ", - "UnionC", - "<[", - "LiteralC", - "<\"exactMatch\">, ", - "LiteralC", - "<\"aliasMatch\">, ", - "LiteralC", - "<\"conflict\">]>; }>, ", - "PartialC", - "<{ alias_target_id: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseResponseRt", - "type": "Object", - "tags": [], - "label": "CaseResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; external_service: ", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ subCaseIds: ", - "ArrayC", - "<", - "StringC", - ">; subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesByAlertIDRequestRt", - "type": "Object", - "tags": [], - "label": "CasesByAlertIDRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesByAlertIdRt", - "type": "Object", - "tags": [], - "label": "CasesByAlertIdRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "TypeC", - "<{ id: ", - "StringC", - "; title: ", - "StringC", - "; }>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesClientPostRequestRt", - "type": "Object", - "tags": [], - "label": "CasesClientPostRequestRt", - "description": [ - "\nThis type is used for validating a create case request. It requires that the type field be defined." - ], - "signature": [ - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; description: ", - "StringC", - "; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigurePatchRt", - "type": "Object", - "tags": [], - "label": "CasesConfigurePatchRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "PartialC", - "<{ connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; closure_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"close-by-user\">, ", - "LiteralC", - "<\"close-by-pushing\">]>; }>, ", - "TypeC", - "<{ version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesConfigureRequestRt", - "type": "Object", - "tags": [], - "label": "CasesConfigureRequestRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; closure_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"close-by-user\">, ", - "LiteralC", - "<\"close-by-pushing\">]>; }>, ", - "TypeC", - "<{ owner: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesFindRequestRt", - "type": "Object", - "tags": [], - "label": "CasesFindRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; tags: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; reporters: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; defaultSearchOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; fields: ", - "ArrayC", - "<", - "StringC", - ">; page: ", - "Type", - "; perPage: ", - "Type", - "; search: ", - "StringC", - "; searchFields: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; sortField: ", - "StringC", - "; sortOrder: ", - "UnionC", - "<[", - "LiteralC", - "<\"desc\">, ", - "LiteralC", - "<\"asc\">]>; owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesFindResponseRt", - "type": "Object", - "tags": [], - "label": "CasesFindResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ cases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; external_service: ", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ subCaseIds: ", - "ArrayC", - "<", - "StringC", - ">; subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; page: ", - "NumberC", - "; per_page: ", - "NumberC", - "; total: ", - "NumberC", - "; }>, ", - "TypeC", - "<{ count_open_cases: ", - "NumberC", - "; count_in_progress_cases: ", - "NumberC", - "; count_closed_cases: ", - "NumberC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesPatchRequestRt", - "type": "Object", - "tags": [], - "label": "CasesPatchRequestRt", - "description": [], - "signature": [ - "TypeC", - "<{ cases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "PartialC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesResponseRt", - "type": "Object", - "tags": [], - "label": "CasesResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ description: ", - "StringC", - "; status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; tags: ", - "ArrayC", - "<", - "StringC", - ">; title: ", - "StringC", - "; type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".collection>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseType", - "text": "CaseType" - }, - ".individual>]>; connector: ", - "IntersectionC", - "<[", - "TypeC", - "<{ id: ", - "StringC", - "; }>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>]>; settings: ", - "TypeC", - "<{ syncAlerts: ", - "BooleanC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; external_service: ", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>]>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ subCaseIds: ", - "ArrayC", - "<", - "StringC", - ">; subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatusRequestRt", - "type": "Object", - "tags": [], - "label": "CasesStatusRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CasesStatusResponseRt", - "type": "Object", - "tags": [], - "label": "CasesStatusResponseRt", - "description": [], - "signature": [ - "TypeC", - "<{ count_open_cases: ", - "NumberC", - "; count_in_progress_cases: ", - "NumberC", - "; count_closed_cases: ", - "NumberC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseStatusRt", - "type": "Object", - "tags": [], - "label": "CaseStatusRt", - "description": [], - "signature": [ - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/status.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionAttributesRt", - "type": "Object", - "tags": [], - "label": "CaseUserActionAttributesRt", - "description": [], - "signature": [ - "TypeC", - "<{ action_field: ", - "ArrayC", - "<", - "UnionC", - "<[", - "LiteralC", - "<\"comment\">, ", - "LiteralC", - "<\"connector\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"pushed\">, ", - "LiteralC", - "<\"tags\">, ", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"status\">, ", - "LiteralC", - "<\"settings\">, ", - "LiteralC", - "<\"sub_case\">, ", - "LiteralC", - "<\"owner\">]>>; action: ", - "UnionC", - "<[", - "LiteralC", - "<\"add\">, ", - "LiteralC", - "<\"create\">, ", - "LiteralC", - "<\"delete\">, ", - "LiteralC", - "<\"update\">, ", - "LiteralC", - "<\"push-to-service\">]>; action_at: ", - "StringC", - "; action_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; new_value: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; old_value: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionConnectorRt", - "type": "Object", - "tags": [], - "label": "CaseUserActionConnectorRt", - "description": [ - "\nThis type represents the connector's format when it is encoded within a user action." - ], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ name: ", - "StringC", - "; }>, ", - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>]>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionExternalServiceRt", - "type": "Object", - "tags": [], - "label": "CaseUserActionExternalServiceRt", - "description": [ - "\nThis represents the push to service UserAction. It lacks the connector_id because that is stored in a different field\nwithin the user action object in the API response." - ], - "signature": [ - "TypeC", - "<{ connector_name: ", - "StringC", - "; external_id: ", - "StringC", - "; external_title: ", - "StringC", - "; external_url: ", - "StringC", - "; pushed_at: ", - "StringC", - "; pushed_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CaseUserActionsResponseRt", - "type": "Object", - "tags": [], - "label": "CaseUserActionsResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "TypeC", - "<{ action_field: ", - "ArrayC", - "<", - "UnionC", - "<[", - "LiteralC", - "<\"comment\">, ", - "LiteralC", - "<\"connector\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"pushed\">, ", - "LiteralC", - "<\"tags\">, ", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"status\">, ", - "LiteralC", - "<\"settings\">, ", - "LiteralC", - "<\"sub_case\">, ", - "LiteralC", - "<\"owner\">]>>; action: ", - "UnionC", - "<[", - "LiteralC", - "<\"add\">, ", - "LiteralC", - "<\"create\">, ", - "LiteralC", - "<\"delete\">, ", - "LiteralC", - "<\"update\">, ", - "LiteralC", - "<\"push-to-service\">]>; action_at: ", - "StringC", - "; action_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; new_value: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; old_value: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ action_id: ", - "StringC", - "; case_id: ", - "StringC", - "; comment_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; new_val_connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; old_val_connector_id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "PartialC", - "<{ sub_case_id: ", - "StringC", - "; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/user_actions.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentAttributesBasicRt", - "type": "Object", - "tags": [], - "label": "CommentAttributesBasicRt", - "description": [], - "signature": [ - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentPatchAttributesRt", - "type": "Object", - "tags": [], - "label": "CommentPatchAttributesRt", - "description": [ - "\nThis type is used by the CaseService.\nBecause the type for the attributes of savedObjectClient update function is Partial\nwe need to make all of our attributes partial too.\nWe ensure that partial updates of CommentContext is not going to happen inside the patch comment route." - ], - "signature": [ - "IntersectionC", - "<[", - "UnionC", - "<[", - "PartialC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "PartialC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>]>, ", - "PartialC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentPatchRequestRt", - "type": "Object", - "tags": [], - "label": "CommentPatchRequestRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "UnionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentRequestRt", - "type": "Object", - "tags": [], - "label": "CommentRequestRt", - "description": [], - "signature": [ - "UnionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponseRt", - "type": "Object", - "tags": [], - "label": "CommentResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponseTypeActionsRt", - "type": "Object", - "tags": [], - "label": "CommentResponseTypeActionsRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentResponseTypeAlertsRt", - "type": "Object", - "tags": [], - "label": "CommentResponseTypeAlertsRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.CommentsResponseRt", - "type": "Object", - "tags": [], - "label": "CommentsResponseRt", - "description": [], - "signature": [ - "TypeC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; page: ", - "NumberC", - "; per_page: ", - "NumberC", - "; total: ", - "NumberC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorFieldsRt", - "type": "Object", - "tags": [], - "label": "ConnectorFieldsRt", - "description": [], - "signature": [ - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorMappingsAttributesRT", - "type": "Object", - "tags": [], - "label": "ConnectorMappingsAttributesRT", - "description": [], - "signature": [ - "TypeC", - "<{ action_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"append\">, ", - "LiteralC", - "<\"nothing\">, ", - "LiteralC", - "<\"overwrite\">]>; source: ", - "UnionC", - "<[", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"comments\">]>; target: ", - "UnionC", - "<[", - "StringC", - ", ", - "LiteralC", - "<\"not_mapped\">]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorMappingsRt", - "type": "Object", - "tags": [], - "label": "ConnectorMappingsRt", - "description": [], - "signature": [ - "TypeC", - "<{ mappings: ", - "ArrayC", - "<", - "TypeC", - "<{ action_type: ", - "UnionC", - "<[", - "LiteralC", - "<\"append\">, ", - "LiteralC", - "<\"nothing\">, ", - "LiteralC", - "<\"overwrite\">]>; source: ", - "UnionC", - "<[", - "LiteralC", - "<\"title\">, ", - "LiteralC", - "<\"description\">, ", - "LiteralC", - "<\"comments\">]>; target: ", - "UnionC", - "<[", - "StringC", - ", ", - "LiteralC", - "<\"not_mapped\">]>; }>>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/mappings.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ConnectorTypeFieldsRt", - "type": "Object", - "tags": [], - "label": "ConnectorTypeFieldsRt", - "description": [], - "signature": [ - "UnionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".jira>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".none>; fields: ", - "NullC", - "; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".resilient>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowITSM>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".serviceNowSIR>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>, ", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.ConnectorTypes", - "text": "ConnectorTypes" - }, - ".swimlane>; fields: ", - "UnionC", - "<[", - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>, ", - "NullC", - "]>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/index.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ContextTypeUserRt", - "type": "Object", - "tags": [], - "label": "ContextTypeUserRt", - "description": [], - "signature": [ - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ExternalServiceResponseRt", - "type": "Object", - "tags": [], - "label": "ExternalServiceResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ title: ", - "StringC", - "; id: ", - "StringC", - "; pushedDate: ", - "StringC", - "; url: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "TypeC", - "<{ commentId: ", - "StringC", - "; pushedDate: ", - "StringC", - "; }>, ", - "PartialC", - "<{ externalCommentId: ", - "StringC", - "; }>]>>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.FindQueryParamsRt", - "type": "Object", - "tags": [], - "label": "FindQueryParamsRt", - "description": [], - "signature": [ - "PartialC", - "<{ subCaseId: ", - "StringC", - "; defaultSearchOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; hasReferenceOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; hasReference: ", - "UnionC", - "<[", - "ArrayC", - "<", - "TypeC", - "<{ id: ", - "StringC", - "; type: ", - "StringC", - "; }>>, ", - "TypeC", - "<{ id: ", - "StringC", - "; type: ", - "StringC", - "; }>]>; fields: ", - "ArrayC", - "<", - "StringC", - ">; filter: ", - "StringC", - "; page: ", - "Type", - "; perPage: ", - "Type", - "; search: ", - "StringC", - "; searchFields: ", - "ArrayC", - "<", - "StringC", - ">; sortField: ", - "StringC", - "; sortOrder: ", - "UnionC", - "<[", - "LiteralC", - "<\"desc\">, ", - "LiteralC", - "<\"asc\">]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/comment.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.GetCaseIdsByAlertIdAggsRt", - "type": "Object", - "tags": [], - "label": "GetCaseIdsByAlertIdAggsRt", - "description": [], - "signature": [ - "TypeC", - "<{ references: ", - "TypeC", - "<{ doc_count: ", - "NumberC", - "; caseIds: ", - "TypeC", - "<{ buckets: ", - "ArrayC", - "<", - "TypeC", - "<{ key: ", - "StringC", - "; }>>; }>; }>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.GetConfigureFindRequestRt", - "type": "Object", - "tags": [], - "label": "GetConfigureFindRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ owner: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/configure.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.JiraFieldsRT", - "type": "Object", - "tags": [], - "label": "JiraFieldsRT", - "description": [], - "signature": [ - "TypeC", - "<{ issueType: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; parent: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/jira.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.NumberFromString", - "type": "Object", - "tags": [], - "label": "NumberFromString", - "description": [], - "signature": [ - "Type", - "" - ], - "path": "x-pack/plugins/cases/common/api/saved_object.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ResilientFieldsRT", - "type": "Object", - "tags": [], - "label": "ResilientFieldsRT", - "description": [], - "signature": [ - "TypeC", - "<{ incidentTypes: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "NullC", - "]>; severityCode: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/resilient.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SavedObjectFindOptionsRt", - "type": "Object", - "tags": [], - "label": "SavedObjectFindOptionsRt", - "description": [], - "signature": [ - "PartialC", - "<{ defaultSearchOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; hasReferenceOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; hasReference: ", - "UnionC", - "<[", - "ArrayC", - "<", - "TypeC", - "<{ id: ", - "StringC", - "; type: ", - "StringC", - "; }>>, ", - "TypeC", - "<{ id: ", - "StringC", - "; type: ", - "StringC", - "; }>]>; fields: ", - "ArrayC", - "<", - "StringC", - ">; filter: ", - "StringC", - "; page: ", - "Type", - "; perPage: ", - "Type", - "; search: ", - "StringC", - "; searchFields: ", - "ArrayC", - "<", - "StringC", - ">; sortField: ", - "StringC", - "; sortOrder: ", - "UnionC", - "<[", - "LiteralC", - "<\"desc\">, ", - "LiteralC", - "<\"asc\">]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/saved_object.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ServiceNowITSMFieldsRT", - "type": "Object", - "tags": [], - "label": "ServiceNowITSMFieldsRT", - "description": [], - "signature": [ - "TypeC", - "<{ impact: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; severity: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; urgency: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/servicenow_itsm.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.ServiceNowSIRFieldsRT", - "type": "Object", - "tags": [], - "label": "ServiceNowSIRFieldsRT", - "description": [], - "signature": [ - "TypeC", - "<{ category: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; destIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareHash: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; malwareUrl: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; priority: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; sourceIp: ", - "UnionC", - "<[", - "BooleanC", - ", ", - "NullC", - "]>; subcategory: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/servicenow_sir.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCaseAttributesRt", - "type": "Object", - "tags": [], - "label": "SubCaseAttributesRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasePatchRequestRt", - "type": "Object", - "tags": [], - "label": "SubCasePatchRequestRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "PartialC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCaseResponseRt", - "type": "Object", - "tags": [], - "label": "SubCaseResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesFindRequestRt", - "type": "Object", - "tags": [], - "label": "SubCasesFindRequestRt", - "description": [], - "signature": [ - "PartialC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; defaultSearchOperator: ", - "UnionC", - "<[", - "LiteralC", - "<\"AND\">, ", - "LiteralC", - "<\"OR\">]>; fields: ", - "ArrayC", - "<", - "StringC", - ">; page: ", - "Type", - "; perPage: ", - "Type", - "; search: ", - "StringC", - "; searchFields: ", - "ArrayC", - "<", - "StringC", - ">; sortField: ", - "StringC", - "; sortOrder: ", - "UnionC", - "<[", - "LiteralC", - "<\"desc\">, ", - "LiteralC", - "<\"asc\">]>; owner: ", - "StringC", - "; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesFindResponseRt", - "type": "Object", - "tags": [], - "label": "SubCasesFindResponseRt", - "description": [], - "signature": [ - "IntersectionC", - "<[", - "TypeC", - "<{ subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>; page: ", - "NumberC", - "; per_page: ", - "NumberC", - "; total: ", - "NumberC", - "; }>, ", - "TypeC", - "<{ count_open_cases: ", - "NumberC", - "; count_in_progress_cases: ", - "NumberC", - "; count_closed_cases: ", - "NumberC", - "; }>]>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesPatchRequestRt", - "type": "Object", - "tags": [], - "label": "SubCasesPatchRequestRt", - "description": [], - "signature": [ - "TypeC", - "<{ subCases: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "PartialC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SubCasesResponseRt", - "type": "Object", - "tags": [], - "label": "SubCasesResponseRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "IntersectionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ status: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".open>, ", - "LiteralC", - ", ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CaseStatuses", - "text": "CaseStatuses" - }, - ".closed>]>; }>, ", - "TypeC", - "<{ closed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; closed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; created_at: ", - "StringC", - "; created_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; owner: ", - "StringC", - "; }>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; totalComment: ", - "NumberC", - "; totalAlerts: ", - "NumberC", - "; version: ", - "StringC", - "; }>, ", - "PartialC", - "<{ comments: ", - "ArrayC", - "<", - "IntersectionC", - "<[", - "UnionC", - "<[", - "IntersectionC", - "<[", - "TypeC", - "<{ comment: ", - "StringC", - "; type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".user>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".generatedAlert>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".alert>]>; alertId: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; index: ", - "UnionC", - "<[", - "ArrayC", - "<", - "StringC", - ">, ", - "StringC", - "]>; rule: ", - "TypeC", - "<{ id: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; name: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>, ", - "IntersectionC", - "<[", - "TypeC", - "<{ type: ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.CommentType", - "text": "CommentType" - }, - ".actions>; comment: ", - "StringC", - "; actions: ", - "TypeC", - "<{ targets: ", - "ArrayC", - "<", - "TypeC", - "<{ hostname: ", - "StringC", - "; endpointId: ", - "StringC", - "; }>>; type: ", - "StringC", - "; }>; owner: ", - "StringC", - "; }>, ", - "TypeC", - "<{ associationType: ", - "UnionC", - "<[", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".case>, ", - "LiteralC", - "<", - { - "pluginId": "cases", - "scope": "common", - "docId": "kibCasesPluginApi", - "section": "def-common.AssociationType", - "text": "AssociationType" - }, - ".subCase>]>; created_at: ", - "StringC", - "; created_by: ", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>; owner: ", - "StringC", - "; pushed_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; pushed_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; updated_at: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; updated_by: ", - "UnionC", - "<[", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>, ", - "NullC", - "]>; }>]>]>, ", - "TypeC", - "<{ id: ", - "StringC", - "; version: ", - "StringC", - "; }>]>>; }>]>>" - ], - "path": "x-pack/plugins/cases/common/api/cases/sub_case.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.SwimlaneFieldsRT", - "type": "Object", - "tags": [], - "label": "SwimlaneFieldsRT", - "description": [], - "signature": [ - "TypeC", - "<{ caseId: ", - "UnionC", - "<[", - "StringC", - ", ", - "NullC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/connectors/swimlane.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UserRT", - "type": "Object", - "tags": [], - "label": "UserRT", - "description": [], - "signature": [ - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>" - ], - "path": "x-pack/plugins/cases/common/api/user.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "cases", - "id": "def-common.UsersRt", - "type": "Object", - "tags": [], - "label": "UsersRt", - "description": [], - "signature": [ - "ArrayC", - "<", - "TypeC", - "<{ email: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; full_name: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; username: ", - "UnionC", - "<[", - "UndefinedC", - ", ", - "NullC", - ", ", - "StringC", - "]>; }>>" - ], - "path": "x-pack/plugins/cases/common/api/user.ts", - "deprecated": false, "initialIsOpen": false } - ] + ], + "objects": [] } } \ No newline at end of file diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 59aa571e255487..0aeac0fbfe3771 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -16,9 +16,9 @@ Contact [Security Solution Threat Hunting](https://github.com/orgs/elastic/teams **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 451 | 0 | 411 | 15 | +| 81 | 0 | 57 | 23 | ## Client @@ -47,9 +47,6 @@ Contact [Security Solution Threat Hunting](https://github.com/orgs/elastic/teams ## Common -### Objects - - ### Functions diff --git a/api_docs/charts.json b/api_docs/charts.json index 143c3e1d06e8bf..32a3b67bfc33e3 100644 --- a/api_docs/charts.json +++ b/api_docs/charts.json @@ -100,6 +100,63 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "charts", + "id": "def-public.EmptyPlaceholder", + "type": "Function", + "tags": [], + "label": "EmptyPlaceholder", + "description": [], + "signature": [ + "({ icon, message, }: { icon: ", + "IconType", + "; message?: JSX.Element | undefined; }) => JSX.Element" + ], + "path": "src/plugins/charts/public/static/components/empty_placeholder.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "charts", + "id": "def-public.EmptyPlaceholder.$1", + "type": "Object", + "tags": [], + "label": "{\n icon,\n message = ,\n}", + "description": [], + "path": "src/plugins/charts/public/static/components/empty_placeholder.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "charts", + "id": "def-public.EmptyPlaceholder.$1.icon", + "type": "CompoundType", + "tags": [], + "label": "icon", + "description": [], + "signature": [ + "string | React.ComponentType<{}>" + ], + "path": "src/plugins/charts/public/static/components/empty_placeholder.tsx", + "deprecated": false + }, + { + "parentPluginId": "charts", + "id": "def-public.EmptyPlaceholder.$1.message", + "type": "Object", + "tags": [], + "label": "message", + "description": [], + "signature": [ + "JSX.Element | undefined" + ], + "path": "src/plugins/charts/public/static/components/empty_placeholder.tsx", + "deprecated": false + } + ] + } + ], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "charts", "id": "def-public.Endzones", @@ -226,7 +283,9 @@ "section": "def-common.Datatable", "text": "Datatable" }, - ", xAccessor: string | number | ", + ", xAccessor: ", + "Accessor", + " | ", "AccessorFn", ") => ({ x: selectedRange }: ", "XYBrushEvent", @@ -270,7 +329,8 @@ "label": "xAccessor", "description": [], "signature": [ - "string | number | ", + "Accessor", + " | ", "AccessorFn" ], "path": "src/plugins/charts/public/static/utils/transform_click_event.ts", @@ -299,11 +359,15 @@ "section": "def-common.Datatable", "text": "Datatable" }, - ", xAccessor: string | number | ", + ", xAccessor: ", + "Accessor", + " | ", "AccessorFn", - ", splitSeriesAccessorFnMap?: Map | undefined, splitChartAccessor?: string | number | ", + "> | undefined, splitChartAccessor?: ", + "Accessor", + " | ", "AccessorFn", " | undefined, negate?: boolean) => (points: [", "GeometryValue", @@ -349,7 +413,8 @@ "label": "xAccessor", "description": [], "signature": [ - "string | number | ", + "Accessor", + " | ", "AccessorFn" ], "path": "src/plugins/charts/public/static/utils/transform_click_event.ts", @@ -366,7 +431,7 @@ "needed when using `splitSeriesAccessors` as `AccessorFn`" ], "signature": [ - "Map | undefined" ], @@ -382,7 +447,8 @@ "label": "splitChartAccessor", "description": [], "signature": [ - "string | number | ", + "Accessor", + " | ", "AccessorFn", " | undefined" ], @@ -428,9 +494,11 @@ }, ") => ({ splitAccessors, ...rest }: ", "XYChartSeriesIdentifier", - ", splitSeriesAccessorFnMap?: Map | undefined, splitChartAccessor?: string | number | ", + "> | undefined, splitChartAccessor?: ", + "Accessor", + " | ", "AccessorFn", " | undefined, negate?: boolean) => ", { @@ -2684,7 +2752,7 @@ "signature": [ "{ readonly seedColors: string[]; readonly mappedColors: ", "MappedColors", - "; createColorLookupFunction: (arrayOfStringsOrNumbers?: React.ReactText[] | undefined, colorMapping?: Partial>) => (value: React.ReactText) => any; }" + "; createColorLookupFunction: (arrayOfStringsOrNumbers?: (string | number)[] | undefined, colorMapping?: Partial>) => (value: string | number) => any; }" ], "path": "src/plugins/charts/public/plugin.ts", "deprecated": false diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index dcfc63c3ac6ea9..ce27ff9aca775e 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -16,9 +16,9 @@ Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 310 | 2 | 278 | 3 | +| 314 | 2 | 282 | 4 | ## Client diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index eb9bad8024179e..d86fd08d0f09a4 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -16,7 +16,7 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 22 | 0 | 22 | 0 | diff --git a/api_docs/console.mdx b/api_docs/console.mdx index fcfa1afbee4906..f97c82618c74f6 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -16,7 +16,7 @@ Contact [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-ma **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 13 | 0 | 13 | 1 | diff --git a/api_docs/core.json b/api_docs/core.json index 3ff47b6638a8cc..7bcdd7fadc6eff 100644 --- a/api_docs/core.json +++ b/api_docs/core.json @@ -19,15 +19,14 @@ "section": "def-public.ToastsApi", "text": "ToastsApi" }, - " implements Pick<", + " implements ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastsApi", - "text": "ToastsApi" - }, - ", \"add\" | \"get$\" | \"remove\" | \"addSuccess\" | \"addWarning\" | \"addDanger\" | \"addError\" | \"addInfo\">" + "section": "def-public.IToasts", + "text": "IToasts" + } ], "path": "src/core/public/notifications/toasts/toasts_api.tsx", "deprecated": false, @@ -143,7 +142,7 @@ "tags": [], "label": "toastOrTitle", "description": [ - "- a {@link ToastInput}" + "- a {@link ToastInput }" ], "signature": [ { @@ -160,7 +159,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] }, { @@ -193,7 +192,7 @@ "tags": [], "label": "toastOrId", "description": [ - "- a {@link Toast} returned by {@link ToastsApi.add} or its id" + "- a {@link Toast } returned by {@link ToastsApi.add } or its id" ], "signature": [ "string | ", @@ -257,7 +256,7 @@ "tags": [], "label": "toastOrTitle", "description": [ - "- a {@link ToastInput}" + "- a {@link ToastInput }" ], "signature": [ { @@ -279,7 +278,7 @@ "tags": [], "label": "options", "description": [ - "- a {@link ToastOptions}" + "- a {@link ToastOptions }" ], "signature": [ { @@ -297,7 +296,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] }, { @@ -345,7 +344,7 @@ "tags": [], "label": "toastOrTitle", "description": [ - "- a {@link ToastInput}" + "- a {@link ToastInput }" ], "signature": [ { @@ -367,7 +366,7 @@ "tags": [], "label": "options", "description": [ - "- a {@link ToastOptions}" + "- a {@link ToastOptions }" ], "signature": [ { @@ -385,7 +384,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] }, { @@ -433,7 +432,7 @@ "tags": [], "label": "toastOrTitle", "description": [ - "- a {@link ToastInput}" + "- a {@link ToastInput }" ], "signature": [ { @@ -455,7 +454,7 @@ "tags": [], "label": "options", "description": [ - "- a {@link ToastOptions}" + "- a {@link ToastOptions }" ], "signature": [ { @@ -473,7 +472,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] }, { @@ -521,7 +520,7 @@ "tags": [], "label": "toastOrTitle", "description": [ - "- a {@link ToastInput}" + "- a {@link ToastInput }" ], "signature": [ { @@ -543,7 +542,7 @@ "tags": [], "label": "options", "description": [ - "- a {@link ToastOptions}" + "- a {@link ToastOptions }" ], "signature": [ { @@ -561,7 +560,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] }, { @@ -617,7 +616,7 @@ "tags": [], "label": "options", "description": [ - "- {@link ErrorToastOptions}" + "- {@link ErrorToastOptions }" ], "signature": [ { @@ -634,7 +633,7 @@ } ], "returnComment": [ - "a {@link Toast}" + "a {@link Toast }" ] } ], @@ -1672,7 +1671,7 @@ "label": "links", "description": [], "signature": [ - "{ readonly settings: string; readonly elasticStackGetStarted: string; readonly upgrade: { readonly upgradingElasticStack: string; }; readonly apm: { readonly kibanaSettings: string; readonly supportedServiceMaps: string; readonly customLinks: string; readonly droppedTransactionSpans: string; readonly upgrading: string; readonly metaData: string; }; readonly canvas: { readonly guide: string; }; readonly dashboard: { readonly guide: string; readonly drilldowns: string; readonly drilldownsTriggerPicker: string; readonly urlDrilldownTemplateSyntax: string; readonly urlDrilldownVariables: string; }; readonly discover: Record; readonly filebeat: { readonly base: string; readonly installation: string; readonly configuration: string; readonly elasticsearchOutput: string; readonly elasticsearchModule: string; readonly startup: string; readonly exportedFields: string; readonly suricataModule: string; readonly zeekModule: string; }; readonly auditbeat: { readonly base: string; readonly auditdModule: string; readonly systemModule: string; }; readonly metricbeat: { readonly base: string; readonly configure: string; readonly httpEndpoint: string; readonly install: string; readonly start: string; }; readonly enterpriseSearch: { readonly base: string; readonly appSearchBase: string; readonly workplaceSearchBase: string; }; readonly heartbeat: { readonly base: string; }; readonly libbeat: { readonly getStarted: string; }; readonly logstash: { readonly base: string; }; readonly functionbeat: { readonly base: string; }; readonly winlogbeat: { readonly base: string; }; readonly aggs: { readonly composite: string; readonly composite_missing_bucket: string; readonly date_histogram: string; readonly date_range: string; readonly date_format_pattern: string; readonly filter: string; readonly filters: string; readonly geohash_grid: string; readonly histogram: string; readonly ip_range: string; readonly range: string; readonly significant_terms: string; readonly terms: string; readonly terms_doc_count_error: string; readonly avg: string; readonly avg_bucket: string; readonly max_bucket: string; readonly min_bucket: string; readonly sum_bucket: string; readonly cardinality: string; readonly count: string; readonly cumulative_sum: string; readonly derivative: string; readonly geo_bounds: string; readonly geo_centroid: string; readonly max: string; readonly median: string; readonly min: string; readonly moving_avg: string; readonly percentile_ranks: string; readonly serial_diff: string; readonly std_dev: string; readonly sum: string; readonly top_hits: string; }; readonly runtimeFields: { readonly overview: string; readonly mapping: string; }; readonly scriptedFields: { readonly scriptFields: string; readonly scriptAggs: string; readonly painless: string; readonly painlessApi: string; readonly painlessLangSpec: string; readonly painlessSyntax: string; readonly painlessWalkthrough: string; readonly luceneExpressions: string; }; readonly search: { readonly sessions: string; readonly sessionLimits: string; }; readonly indexPatterns: { readonly introduction: string; readonly fieldFormattersNumber: string; readonly fieldFormattersString: string; readonly runtimeFields: string; }; readonly addData: string; readonly kibana: string; readonly upgradeAssistant: { readonly overview: string; readonly batchReindex: string; readonly remoteReindex: string; }; readonly rollupJobs: string; readonly elasticsearch: Record; readonly siem: { readonly privileges: string; readonly guide: string; readonly gettingStarted: string; readonly ml: string; readonly ruleChangeLog: string; readonly detectionsReq: string; readonly networkMap: string; readonly troubleshootGaps: string; }; readonly securitySolution: { readonly trustedApps: string; }; readonly query: { readonly eql: string; readonly kueryQuerySyntax: string; readonly luceneQuerySyntax: string; readonly percolate: string; readonly queryDsl: string; }; readonly date: { readonly dateMath: string; readonly dateMathIndexNames: string; }; readonly management: Record; readonly ml: Record; readonly transforms: Record; readonly visualize: Record; readonly apis: Readonly<{ bulkIndexAlias: string; byteSizeUnits: string; createAutoFollowPattern: string; createFollower: string; createIndex: string; createSnapshotLifecyclePolicy: string; createRoleMapping: string; createRoleMappingTemplates: string; createRollupJobsRequest: string; createApiKey: string; createPipeline: string; createTransformRequest: string; cronExpressions: string; executeWatchActionModes: string; indexExists: string; openIndex: string; putComponentTemplate: string; painlessExecute: string; painlessExecuteAPIContexts: string; putComponentTemplateMetadata: string; putSnapshotLifecyclePolicy: string; putIndexTemplateV1: string; putWatch: string; simulatePipeline: string; timeUnits: string; updateTransform: string; }>; readonly observability: Readonly<{ guide: string; infrastructureThreshold: string; logsThreshold: string; metricsThreshold: string; monitorStatus: string; monitorUptime: string; tlsCertificate: string; uptimeDurationAnomaly: string; }>; readonly alerting: Record; readonly maps: Readonly<{ guide: string; importGeospatialPrivileges: string; gdalTutorial: string; }>; readonly monitoring: Record; readonly security: Readonly<{ apiKeyServiceSettings: string; clusterPrivileges: string; elasticsearchSettings: string; elasticsearchEnableSecurity: string; elasticsearchEnableApiKeys: string; indicesPrivileges: string; kibanaTLS: string; kibanaPrivileges: string; mappingRoles: string; mappingRolesFieldRules: string; runAsPrivilege: string; }>; readonly spaces: Readonly<{ kibanaLegacyUrlAliases: string; kibanaDisableLegacyUrlAliasesApi: string; }>; readonly watcher: Record; readonly ccs: Record; readonly plugins: Record; readonly snapshotRestore: Record; readonly ingest: Record; readonly fleet: Readonly<{ beatsAgentComparison: string; guide: string; fleetServer: string; fleetServerAddFleetServer: string; settings: string; settingsFleetServerHostSettings: string; settingsFleetServerProxySettings: string; troubleshooting: string; elasticAgent: string; datastreams: string; datastreamsNamingScheme: string; installElasticAgent: string; upgradeElasticAgent: string; upgradeElasticAgent712lower: string; learnMoreBlog: string; apiKeysLearnMore: string; onPremRegistry: string; }>; readonly ecs: { readonly guide: string; }; readonly clients: { readonly guide: string; readonly goOverview: string; readonly javaIndex: string; readonly jsIntro: string; readonly netGuide: string; readonly perlGuide: string; readonly phpGuide: string; readonly pythonGuide: string; readonly rubyOverview: string; readonly rustGuide: string; }; readonly endpoints: { readonly troubleshooting: string; }; }" + "{ readonly settings: string; readonly elasticStackGetStarted: string; readonly upgrade: { readonly upgradingElasticStack: string; }; readonly apm: { readonly kibanaSettings: string; readonly supportedServiceMaps: string; readonly customLinks: string; readonly droppedTransactionSpans: string; readonly upgrading: string; readonly metaData: string; }; readonly canvas: { readonly guide: string; }; readonly cloud: { readonly indexManagement: string; }; readonly console: { readonly guide: string; }; readonly dashboard: { readonly guide: string; readonly drilldowns: string; readonly drilldownsTriggerPicker: string; readonly urlDrilldownTemplateSyntax: string; readonly urlDrilldownVariables: string; }; readonly discover: Record; readonly filebeat: { readonly base: string; readonly installation: string; readonly configuration: string; readonly elasticsearchOutput: string; readonly elasticsearchModule: string; readonly startup: string; readonly exportedFields: string; readonly suricataModule: string; readonly zeekModule: string; }; readonly auditbeat: { readonly base: string; readonly auditdModule: string; readonly systemModule: string; }; readonly metricbeat: { readonly base: string; readonly configure: string; readonly httpEndpoint: string; readonly install: string; readonly start: string; }; readonly appSearch: { readonly apiRef: string; readonly apiClients: string; readonly apiKeys: string; readonly authentication: string; readonly crawlRules: string; readonly curations: string; readonly duplicateDocuments: string; readonly entryPoints: string; readonly guide: string; readonly indexingDocuments: string; readonly indexingDocumentsSchema: string; readonly logSettings: string; readonly metaEngines: string; readonly precisionTuning: string; readonly relevanceTuning: string; readonly resultSettings: string; readonly searchUI: string; readonly security: string; readonly synonyms: string; readonly webCrawler: string; readonly webCrawlerEventLogs: string; }; readonly enterpriseSearch: { readonly configuration: string; readonly licenseManagement: string; readonly mailService: string; readonly usersAccess: string; }; readonly workplaceSearch: { readonly apiKeys: string; readonly box: string; readonly confluenceCloud: string; readonly confluenceServer: string; readonly customSources: string; readonly customSourcePermissions: string; readonly documentPermissions: string; readonly dropbox: string; readonly externalIdentities: string; readonly gitHub: string; readonly gettingStarted: string; readonly gmail: string; readonly googleDrive: string; readonly indexingSchedule: string; readonly jiraCloud: string; readonly jiraServer: string; readonly oneDrive: string; readonly permissions: string; readonly salesforce: string; readonly security: string; readonly serviceNow: string; readonly sharePoint: string; readonly slack: string; readonly synch: string; readonly zendesk: string; }; readonly heartbeat: { readonly base: string; }; readonly libbeat: { readonly getStarted: string; }; readonly logstash: { readonly base: string; }; readonly functionbeat: { readonly base: string; }; readonly winlogbeat: { readonly base: string; }; readonly aggs: { readonly composite: string; readonly composite_missing_bucket: string; readonly date_histogram: string; readonly date_range: string; readonly date_format_pattern: string; readonly filter: string; readonly filters: string; readonly geohash_grid: string; readonly histogram: string; readonly ip_range: string; readonly range: string; readonly significant_terms: string; readonly terms: string; readonly terms_doc_count_error: string; readonly avg: string; readonly avg_bucket: string; readonly max_bucket: string; readonly min_bucket: string; readonly sum_bucket: string; readonly cardinality: string; readonly count: string; readonly cumulative_sum: string; readonly derivative: string; readonly geo_bounds: string; readonly geo_centroid: string; readonly max: string; readonly median: string; readonly min: string; readonly moving_avg: string; readonly percentile_ranks: string; readonly serial_diff: string; readonly std_dev: string; readonly sum: string; readonly top_hits: string; }; readonly runtimeFields: { readonly overview: string; readonly mapping: string; }; readonly scriptedFields: { readonly scriptFields: string; readonly scriptAggs: string; readonly painless: string; readonly painlessApi: string; readonly painlessLangSpec: string; readonly painlessSyntax: string; readonly painlessWalkthrough: string; readonly luceneExpressions: string; }; readonly search: { readonly sessions: string; readonly sessionLimits: string; }; readonly indexPatterns: { readonly introduction: string; readonly fieldFormattersNumber: string; readonly fieldFormattersString: string; readonly runtimeFields: string; }; readonly addData: string; readonly kibana: string; readonly upgradeAssistant: { readonly overview: string; readonly batchReindex: string; readonly remoteReindex: string; }; readonly rollupJobs: string; readonly elasticsearch: Record; readonly siem: { readonly privileges: string; readonly guide: string; readonly gettingStarted: string; readonly ml: string; readonly ruleChangeLog: string; readonly detectionsReq: string; readonly networkMap: string; readonly troubleshootGaps: string; }; readonly securitySolution: { readonly trustedApps: string; }; readonly query: { readonly eql: string; readonly kueryQuerySyntax: string; readonly luceneQuerySyntax: string; readonly percolate: string; readonly queryDsl: string; }; readonly date: { readonly dateMath: string; readonly dateMathIndexNames: string; }; readonly management: Record; readonly ml: Record; readonly transforms: Record; readonly visualize: Record; readonly apis: Readonly<{ bulkIndexAlias: string; byteSizeUnits: string; createAutoFollowPattern: string; createFollower: string; createIndex: string; createSnapshotLifecyclePolicy: string; createRoleMapping: string; createRoleMappingTemplates: string; createRollupJobsRequest: string; createApiKey: string; createPipeline: string; createTransformRequest: string; cronExpressions: string; executeWatchActionModes: string; indexExists: string; openIndex: string; putComponentTemplate: string; painlessExecute: string; painlessExecuteAPIContexts: string; putComponentTemplateMetadata: string; putSnapshotLifecyclePolicy: string; putIndexTemplateV1: string; putWatch: string; simulatePipeline: string; timeUnits: string; updateTransform: string; }>; readonly observability: Readonly<{ guide: string; infrastructureThreshold: string; logsThreshold: string; metricsThreshold: string; monitorStatus: string; monitorUptime: string; tlsCertificate: string; uptimeDurationAnomaly: string; }>; readonly alerting: Record; readonly maps: Readonly<{ guide: string; importGeospatialPrivileges: string; gdalTutorial: string; }>; readonly monitoring: Record; readonly security: Readonly<{ apiKeyServiceSettings: string; clusterPrivileges: string; elasticsearchSettings: string; elasticsearchEnableSecurity: string; elasticsearchEnableApiKeys: string; indicesPrivileges: string; kibanaTLS: string; kibanaPrivileges: string; mappingRoles: string; mappingRolesFieldRules: string; runAsPrivilege: string; }>; readonly spaces: Readonly<{ kibanaLegacyUrlAliases: string; kibanaDisableLegacyUrlAliasesApi: string; }>; readonly watcher: Record; readonly ccs: Record; readonly plugins: { azureRepo: string; gcsRepo: string; hdfsRepo: string; s3Repo: string; snapshotRestoreRepos: string; mapperSize: string; }; readonly snapshotRestore: Record; readonly ingest: Record; readonly fleet: Readonly<{ beatsAgentComparison: string; guide: string; fleetServer: string; fleetServerAddFleetServer: string; settings: string; settingsFleetServerHostSettings: string; settingsFleetServerProxySettings: string; troubleshooting: string; elasticAgent: string; datastreams: string; datastreamsNamingScheme: string; installElasticAgent: string; installElasticAgentStandalone: string; upgradeElasticAgent: string; upgradeElasticAgent712lower: string; learnMoreBlog: string; apiKeysLearnMore: string; onPremRegistry: string; }>; readonly ecs: { readonly guide: string; }; readonly clients: { readonly guide: string; readonly goOverview: string; readonly javaIndex: string; readonly jsIntro: string; readonly netGuide: string; readonly perlGuide: string; readonly phpGuide: string; readonly pythonGuide: string; readonly rubyOverview: string; readonly rustGuide: string; }; readonly endpoints: { readonly troubleshooting: string; }; }" ], "path": "src/core/public/doc_links/doc_links_service.ts", "deprecated": false @@ -1687,7 +1686,7 @@ "tags": [], "label": "EnvironmentMode", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -1700,7 +1699,7 @@ "signature": [ "\"production\" | \"development\"" ], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -1710,7 +1709,7 @@ "tags": [], "label": "dev", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -1720,7 +1719,7 @@ "tags": [], "label": "prod", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -1960,7 +1959,7 @@ "label": "children", "description": [], "signature": [ - "string | number | boolean | {} | React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | React.ReactNodeArray | React.ReactPortal | null | undefined" + "boolean | React.ReactChild | React.ReactFragment | React.ReactPortal | null | undefined" ], "path": "src/core/public/i18n/i18n_service.tsx", "deprecated": false @@ -2146,9 +2145,9 @@ "\nGets the metadata about all uiSettings, including the type, default value, and user value\nfor each key." ], "signature": [ - "() => Readonly, \"name\" | \"type\" | \"description\" | \"options\" | \"order\" | \"value\" | \"category\" | \"optionLabels\" | \"requiresPageReload\" | \"readonly\" | \"sensitive\" | \"deprecation\" | \"metric\"> & ", + "() => Readonly>>" ], @@ -2424,25 +2423,25 @@ "{@link ToastsSetup}" ], "signature": [ - "{ add: (toastOrTitle: ", + "{ get$: () => ", + "Observable", + "<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastInput", - "text": "ToastInput" + "section": "def-public.Toast", + "text": "Toast" }, - ") => ", + "[]>; add: (toastOrTitle: ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.Toast", - "text": "Toast" + "section": "def-public.ToastInput", + "text": "ToastInput" }, - "; get$: () => ", - "Observable", - "<", + ") => ", { "pluginId": "core", "scope": "public", @@ -2450,7 +2449,7 @@ "section": "def-public.Toast", "text": "Toast" }, - "[]>; remove: (toastOrId: string | ", + "; remove: (toastOrId: string | ", { "pluginId": "core", "scope": "public", @@ -2598,25 +2597,25 @@ "{@link ToastsStart}" ], "signature": [ - "{ add: (toastOrTitle: ", + "{ get$: () => ", + "Observable", + "<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastInput", - "text": "ToastInput" + "section": "def-public.Toast", + "text": "Toast" }, - ") => ", + "[]>; add: (toastOrTitle: ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.Toast", - "text": "Toast" + "section": "def-public.ToastInput", + "text": "ToastInput" }, - "; get$: () => ", - "Observable", - "<", + ") => ", { "pluginId": "core", "scope": "public", @@ -2624,7 +2623,7 @@ "section": "def-public.Toast", "text": "Toast" }, - "[]>; remove: (toastOrId: string | ", + "; remove: (toastOrId: string | ", { "pluginId": "core", "scope": "public", @@ -2791,7 +2790,9 @@ "type": "Function", "tags": [], "label": "mount", - "description": [], + "description": [ + "{@link MountPoint }" + ], "signature": [ { "pluginId": "core", @@ -2824,7 +2825,7 @@ } ], "returnComment": [ - "a unique identifier for the given banner to be used with {@link OverlayBannersStart.remove} and\n{@link OverlayBannersStart.replace}" + "a unique identifier for the given banner to be used with {@link OverlayBannersStart.remove } and\n{@link OverlayBannersStart.replace }" ] }, { @@ -2849,7 +2850,7 @@ "tags": [], "label": "id", "description": [ - "the unique identifier for the banner returned by {@link OverlayBannersStart.add}" + "the unique identifier for the banner returned by {@link OverlayBannersStart.add }" ], "signature": [ "string" @@ -2893,7 +2894,7 @@ "tags": [], "label": "id", "description": [ - "the unique identifier for the banner returned by {@link OverlayBannersStart.add}" + "the unique identifier for the banner returned by {@link OverlayBannersStart.add }" ], "signature": [ "string | undefined" @@ -2908,7 +2909,9 @@ "type": "Function", "tags": [], "label": "mount", - "description": [], + "description": [ + "{@link MountPoint }" + ], "signature": [ { "pluginId": "core", @@ -2941,7 +2944,7 @@ } ], "returnComment": [ - "a new identifier for the given banner to be used with {@link OverlayBannersStart.remove} and\n{@link OverlayBannersStart.replace}" + "a new identifier for the given banner to be used with {@link OverlayBannersStart.remove } and\n{@link OverlayBannersStart.replace }" ] }, { @@ -3045,7 +3048,7 @@ "label": "size", "description": [], "signature": [ - "\"s\" | \"m\" | \"l\" | undefined" + "\"m\" | \"s\" | \"l\" | undefined" ], "path": "src/core/public/overlays/flyout/flyout_service.tsx", "deprecated": false @@ -3197,7 +3200,9 @@ "type": "Function", "tags": [], "label": "mount", - "description": [], + "description": [ + "{@link MountPoint } - Mounts the children inside a flyout panel" + ], "signature": [ { "pluginId": "core", @@ -3218,7 +3223,9 @@ "type": "Object", "tags": [], "label": "options", - "description": [], + "description": [ + "{@link OverlayFlyoutOpenOptions } - options for the flyout" + ], "signature": [ { "pluginId": "core", @@ -3348,7 +3355,8 @@ "label": "buttonColor", "description": [], "signature": [ - "\"text\" | \"primary\" | \"success\" | \"warning\" | \"danger\" | \"accent\" | \"ghost\" | undefined" + "ButtonColor", + " | undefined" ], "path": "src/core/public/overlays/modal/modal_service.tsx", "deprecated": false @@ -3494,7 +3502,9 @@ "type": "Function", "tags": [], "label": "mount", - "description": [], + "description": [ + "{@link MountPoint } - Mounts the children inside the modal" + ], "signature": [ { "pluginId": "core", @@ -3515,7 +3525,9 @@ "type": "Object", "tags": [], "label": "options", - "description": [], + "description": [ + "{@link OverlayModalOpenOptions } - options for the modal" + ], "signature": [ { "pluginId": "core", @@ -3570,7 +3582,9 @@ "type": "CompoundType", "tags": [], "label": "message", - "description": [], + "description": [ + "{@link MountPoint } - string or mountpoint to be used a the confirm message body" + ], "signature": [ "string | ", { @@ -3592,7 +3606,9 @@ "type": "Object", "tags": [], "label": "options", - "description": [], + "description": [ + "{@link OverlayModalConfirmOptions } - options for the confirm modal" + ], "signature": [ { "pluginId": "core", @@ -3970,7 +3986,7 @@ "tags": [], "label": "PackageInfo", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -3980,7 +3996,7 @@ "tags": [], "label": "version", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -3990,7 +4006,7 @@ "tags": [], "label": "branch", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -4000,7 +4016,7 @@ "tags": [], "label": "buildNum", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -4010,7 +4026,7 @@ "tags": [], "label": "buildSha", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -4020,7 +4036,7 @@ "tags": [], "label": "dist", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -4229,21 +4245,9 @@ "description": [], "signature": [ "{ mode: Readonly<", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.EnvironmentMode", - "text": "EnvironmentMode" - }, + "EnvironmentMode", ">; packageInfo: Readonly<", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.PackageInfo", - "text": "PackageInfo" - }, + "PackageInfo", ">; }" ], "path": "src/core/public/plugins/plugin_context.ts", @@ -4888,7 +4892,8 @@ "label": "sortOrder", "description": [], "signature": [ - "\"asc\" | \"desc\" | \"_doc\" | undefined" + "SearchSortOrder", + " | undefined" ], "path": "src/core/server/saved_objects/types.ts", "deprecated": false @@ -6258,7 +6263,8 @@ "defines a type of UI element {@link UiSettingsType}" ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\" | undefined" + "UiSettingsType", + " | undefined" ], "path": "src/core/types/ui_settings.ts", "deprecated": false @@ -6302,13 +6308,7 @@ "label": "schema", "description": [], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "" ], "path": "src/core/types/ui_settings.ts", @@ -6327,13 +6327,7 @@ ], "signature": [ "{ type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", "; name: string; } | undefined" ], "path": "src/core/types/ui_settings.ts", @@ -6375,12 +6369,12 @@ "id": "def-public.UiSettingsState.Unnamed", "type": "IndexSignature", "tags": [], - "label": "[key: string]: Pick, \"name\" | \"type\" | \"description\" | \"options\" | \"order\" | \"value\" | \"category\" | \"optionLabels\" | \"requiresPageReload\" | \"readonly\" | \"sensitive\" | \"deprecation\" | \"metric\"> & UserProvidedValues<...>", + "label": "[key: string]: PublicUiSettingsParams & UserProvidedValues", "description": [], "signature": [ - "[key: string]: Pick<", - "UiSettingsParams", - ", \"name\" | \"type\" | \"description\" | \"options\" | \"order\" | \"value\" | \"category\" | \"optionLabels\" | \"requiresPageReload\" | \"readonly\" | \"sensitive\" | \"deprecation\" | \"metric\"> & ", + "[key: string]: ", + "PublicUiSettingsParams", + " & ", "UserProvidedValues", "" ], @@ -6486,25 +6480,25 @@ "\nMethods for adding and removing global toast messages. See {@link ToastsApi}." ], "signature": [ - "{ add: (toastOrTitle: ", + "{ get$: () => ", + "Observable", + "<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastInput", - "text": "ToastInput" + "section": "def-public.Toast", + "text": "Toast" }, - ") => ", + "[]>; add: (toastOrTitle: ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.Toast", - "text": "Toast" + "section": "def-public.ToastInput", + "text": "ToastInput" }, - "; get$: () => ", - "Observable", - "<", + ") => ", { "pluginId": "core", "scope": "public", @@ -6512,7 +6506,7 @@ "section": "def-public.Toast", "text": "Toast" }, - "[]>; remove: (toastOrId: string | ", + "; remove: (toastOrId: string | ", { "pluginId": "core", "scope": "public", @@ -6676,7 +6670,7 @@ "path": "src/core/public/types.ts", "deprecated": false, "returnComment": [ - "a {@link UnmountCallback} that unmount the element on call." + "a {@link UnmountCallback } that unmount the element on call." ], "children": [ { @@ -6784,16 +6778,12 @@ "\nA sub-set of {@link UiSettingsParams} exposed to the client-side." ], "signature": [ - "{ name?: string | undefined; type?: \"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\" | undefined; description?: string | undefined; options?: string[] | undefined; order?: number | undefined; value?: unknown; category?: string[] | undefined; optionLabels?: Record | undefined; requiresPageReload?: boolean | undefined; readonly?: boolean | undefined; sensitive?: boolean | undefined; deprecation?: ", + "{ type?: ", + "UiSettingsType", + " | undefined; description?: string | undefined; name?: string | undefined; options?: string[] | undefined; order?: number | undefined; value?: unknown; category?: string[] | undefined; optionLabels?: Record | undefined; requiresPageReload?: boolean | undefined; readonly?: boolean | undefined; sensitive?: boolean | undefined; deprecation?: ", "DeprecationSettings", " | undefined; metric?: { type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", "; name: string; } | undefined; }" ], "path": "src/core/types/ui_settings.ts", @@ -6824,11 +6814,10 @@ "\nType definition for a Saved Object attribute value\n" ], "signature": [ - "string | number | boolean | ", - "SavedObjectAttributes", + "SavedObjectAttributeSingle", " | ", "SavedObjectAttributeSingle", - "[] | null | undefined" + "[]" ], "path": "src/core/types/saved_objects.ts", "deprecated": false, @@ -6934,7 +6923,7 @@ "signature": [ "Pick<", "Toast", - ", \"onChange\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", + ", \"children\" | \"onClick\" | \"onChange\" | \"color\" | \"onKeyDown\" | \"security\" | \"className\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", { "pluginId": "core", "scope": "public", @@ -6991,7 +6980,7 @@ "signature": [ "Pick<", "Toast", - ", \"onChange\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", + ", \"children\" | \"onClick\" | \"onChange\" | \"color\" | \"onKeyDown\" | \"security\" | \"className\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", { "pluginId": "core", "scope": "public", @@ -7023,25 +7012,25 @@ "\n{@link IToasts}" ], "signature": [ - "{ add: (toastOrTitle: ", + "{ get$: () => ", + "Observable", + "<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastInput", - "text": "ToastInput" + "section": "def-public.Toast", + "text": "Toast" }, - ") => ", + "[]>; add: (toastOrTitle: ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.Toast", - "text": "Toast" + "section": "def-public.ToastInput", + "text": "ToastInput" }, - "; get$: () => ", - "Observable", - "<", + ") => ", { "pluginId": "core", "scope": "public", @@ -7049,7 +7038,7 @@ "section": "def-public.Toast", "text": "Toast" }, - "[]>; remove: (toastOrId: string | ", + "; remove: (toastOrId: string | ", { "pluginId": "core", "scope": "public", @@ -7185,25 +7174,25 @@ "\n{@link IToasts}" ], "signature": [ - "{ add: (toastOrTitle: ", + "{ get$: () => ", + "Observable", + "<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastInput", - "text": "ToastInput" + "section": "def-public.Toast", + "text": "Toast" }, - ") => ", + "[]>; add: (toastOrTitle: ", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.Toast", - "text": "Toast" + "section": "def-public.ToastInput", + "text": "ToastInput" }, - "; get$: () => ", - "Observable", - "<", + ") => ", { "pluginId": "core", "scope": "public", @@ -7211,7 +7200,7 @@ "section": "def-public.Toast", "text": "Toast" }, - "[]>; remove: (toastOrId: string | ", + "; remove: (toastOrId: string | ", { "pluginId": "core", "scope": "public", @@ -7347,7 +7336,7 @@ "\nUI element type to represent the settings." ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\"" + "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"color\" | \"image\" | \"json\" | \"markdown\" | \"select\" | \"array\"" ], "path": "src/core/types/ui_settings.ts", "deprecated": false, @@ -7716,7 +7705,7 @@ "\nSet of settings configure SSL connection between Kibana and Elasticsearch that\nare required when `xpack.ssl.verification_mode` in Elasticsearch is set to\neither `certificate` or `full`." ], "signature": [ - "Pick; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>, \"key\" | \"certificate\" | \"verificationMode\" | \"keyPassphrase\" | \"alwaysPresentCertificate\"> & { certificateAuthorities?: string[] | undefined; }" + "Pick; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>, \"key\" | \"certificate\" | \"verificationMode\" | \"keyPassphrase\" | \"alwaysPresentCertificate\"> & { certificateAuthorities?: string[] | undefined; }" ], "path": "src/core/server/elasticsearch/elasticsearch_config.ts", "deprecated": false @@ -7757,7 +7746,7 @@ "label": "rawConfig", "description": [], "signature": [ - "Readonly<{ username?: string | undefined; password?: string | undefined; serviceAccountToken?: string | undefined; } & { ssl: Readonly<{ key?: string | undefined; certificate?: string | undefined; certificateAuthorities?: string | string[] | undefined; keyPassphrase?: string | undefined; } & { verificationMode: \"none\" | \"certificate\" | \"full\"; keystore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>; hosts: string | string[]; requestTimeout: moment.Duration; sniffOnStart: boolean; sniffInterval: false | moment.Duration; sniffOnConnectionFault: boolean; requestHeadersWhitelist: string | string[]; customHeaders: Record; shardTimeout: moment.Duration; pingTimeout: moment.Duration; logQueries: boolean; apiVersion: string; healthCheck: Readonly<{} & { delay: moment.Duration; }>; ignoreVersionMismatch: boolean; skipStartupConnectionCheck: boolean; }>" + "Readonly<{ password?: string | undefined; username?: string | undefined; serviceAccountToken?: string | undefined; } & { ssl: Readonly<{ key?: string | undefined; certificate?: string | undefined; certificateAuthorities?: string | string[] | undefined; keyPassphrase?: string | undefined; } & { verificationMode: \"none\" | \"full\" | \"certificate\"; keystore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>; hosts: string | string[]; requestTimeout: moment.Duration; sniffOnStart: boolean; sniffInterval: false | moment.Duration; sniffOnConnectionFault: boolean; requestHeadersWhitelist: string | string[]; customHeaders: Record; shardTimeout: moment.Duration; pingTimeout: moment.Duration; logQueries: boolean; apiVersion: string; healthCheck: Readonly<{} & { delay: moment.Duration; }>; ignoreVersionMismatch: boolean; skipStartupConnectionCheck: boolean; }>" ], "path": "src/core/server/elasticsearch/elasticsearch_config.ts", "deprecated": false, @@ -8573,9 +8562,9 @@ "tags": [], "label": "ConfigDeprecationContext", "description": [ - "\nDeprecation context provided to {@link ConfigDeprecation | config deprecations}\n" + "\r\nDeprecation context provided to {@link ConfigDeprecation | config deprecations}\r\n" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8587,7 +8576,7 @@ "description": [ "The current Kibana version, e.g `7.16.1`, `8.0.0`" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -8599,7 +8588,7 @@ "description": [ "The current Kibana branch, e.g `7.x`, `7.16`, `master`" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -8665,9 +8654,9 @@ "tags": [], "label": "ConfigDeprecationFactory", "description": [ - "\nProvides helpers to generates the most commonly used {@link ConfigDeprecation}\nwhen invoking a {@link ConfigDeprecationProvider}.\n\nSee methods documentation for more detailed examples.\n" + "\r\nProvides helpers to generates the most commonly used {@link ConfigDeprecation}\r\nwhen invoking a {@link ConfigDeprecationProvider}.\r\n\r\nSee methods documentation for more detailed examples.\r\n" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8677,21 +8666,13 @@ "tags": [], "label": "deprecate", "description": [ - "\nDeprecate a configuration property from inside a plugin's configuration path.\nWill log a deprecation warning if the deprecatedKey was found.\n" + "\r\nDeprecate a configuration property from inside a plugin's configuration path.\r\nWill log a deprecation warning if the deprecatedKey was found.\r\n" ], "signature": [ - "(deprecatedKey: string, removeBy: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(deprecatedKey: string, removeBy: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8704,7 +8685,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8718,7 +8699,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8730,11 +8711,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -8748,21 +8727,13 @@ "tags": [], "label": "deprecateFromRoot", "description": [ - "\nDeprecate a configuration property from the root configuration.\nWill log a deprecation warning if the deprecatedKey was found.\n\nThis should be only used when deprecating properties from different configuration's path.\nTo deprecate properties from inside a plugin's configuration, use 'deprecate' instead.\n" + "\r\nDeprecate a configuration property from the root configuration.\r\nWill log a deprecation warning if the deprecatedKey was found.\r\n\r\nThis should be only used when deprecating properties from different configuration's path.\r\nTo deprecate properties from inside a plugin's configuration, use 'deprecate' instead.\r\n" ], "signature": [ - "(deprecatedKey: string, removeBy: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(deprecatedKey: string, removeBy: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8775,7 +8746,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8789,7 +8760,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8801,11 +8772,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -8819,21 +8788,13 @@ "tags": [], "label": "rename", "description": [ - "\nRename a configuration property from inside a plugin's configuration path.\nWill log a deprecation warning if the oldKey was found and deprecation applied.\n" + "\r\nRename a configuration property from inside a plugin's configuration path.\r\nWill log a deprecation warning if the oldKey was found and deprecation applied.\r\n" ], "signature": [ - "(oldKey: string, newKey: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(oldKey: string, newKey: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8846,7 +8807,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8860,7 +8821,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8872,11 +8833,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -8890,21 +8849,13 @@ "tags": [], "label": "renameFromRoot", "description": [ - "\nRename a configuration property from the root configuration.\nWill log a deprecation warning if the oldKey was found and deprecation applied.\n\nThis should be only used when renaming properties from different configuration's path.\nTo rename properties from inside a plugin's configuration, use 'rename' instead.\n" + "\r\nRename a configuration property from the root configuration.\r\nWill log a deprecation warning if the oldKey was found and deprecation applied.\r\n\r\nThis should be only used when renaming properties from different configuration's path.\r\nTo rename properties from inside a plugin's configuration, use 'rename' instead.\r\n" ], "signature": [ - "(oldKey: string, newKey: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(oldKey: string, newKey: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8917,7 +8868,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8931,7 +8882,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -8943,11 +8894,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -8961,21 +8910,13 @@ "tags": [], "label": "unused", "description": [ - "\nRemove a configuration property from inside a plugin's configuration path.\nWill log a deprecation warning if the unused key was found and deprecation applied.\n" + "\r\nRemove a configuration property from inside a plugin's configuration path.\r\nWill log a deprecation warning if the unused key was found and deprecation applied.\r\n" ], "signature": [ - "(unusedKey: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(unusedKey: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -8988,7 +8929,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -9000,11 +8941,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -9018,21 +8957,13 @@ "tags": [], "label": "unusedFromRoot", "description": [ - "\nRemove a configuration property from the root configuration.\nWill log a deprecation warning if the unused key was found and deprecation applied.\n\nThis should be only used when removing properties from outside of a plugin's configuration.\nTo remove properties from inside a plugin's configuration, use 'unused' instead.\n" + "\r\nRemove a configuration property from the root configuration.\r\nWill log a deprecation warning if the unused key was found and deprecation applied.\r\n\r\nThis should be only used when removing properties from outside of a plugin's configuration.\r\nTo remove properties from inside a plugin's configuration, use 'unused' instead.\r\n" ], "signature": [ - "(unusedKey: string, details?: Partial<", - "DeprecatedConfigDetails", - "> | undefined) => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - } + "(unusedKey: string, details?: Partial | undefined) => ", + "ConfigDeprecation" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -9045,7 +8976,7 @@ "signature": [ "string" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": true }, @@ -9057,11 +8988,9 @@ "label": "details", "description": [], "signature": [ - "Partial<", - "DeprecatedConfigDetails", - "> | undefined" + "Partial | undefined" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "isRequired": false } @@ -9938,9 +9867,7 @@ "parentPluginId": "core", "id": "def-server.DeprecationsServiceSetup", "type": "Interface", - "tags": [ - "gmail" - ], + "tags": [], "label": "DeprecationsServiceSetup", "description": [ "\nThe deprecations service provides a way for the Kibana platform to communicate deprecated\nfeatures and configs with its users. These deprecations are only communicated\nif the deployment is using these features. Allowing for a user tailored experience\nfor upgrading the stack version.\n\nThe Deprecation service is consumed by the upgrade assistant to assist with the upgrade\nexperience.\n\nIf a deprecated feature can be resolved without manual user intervention.\nUsing correctiveActions.api allows the Upgrade Assistant to use this api to correct the\ndeprecation upon a user trigger.\n" @@ -10508,7 +10435,7 @@ "tags": [], "label": "EnvironmentMode", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -10521,7 +10448,7 @@ "signature": [ "\"production\" | \"development\"" ], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -10531,7 +10458,7 @@ "tags": [], "label": "dev", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -10541,7 +10468,7 @@ "tags": [], "label": "prod", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -11011,15 +10938,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -11220,450 +11147,93 @@ { "pluginId": "core", "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.RequestHandler", - "text": "RequestHandler" + "docId": "kibCorePluginApi", + "section": "def-server.HttpResourcesRequestHandler", + "text": "HttpResourcesRequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", - "Stream", - " | undefined>(options: ", + ") => void" + ], + "path": "src/core/server/http_resources/types.ts", + "deprecated": false, + "children": [ { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.CustomHttpResponseOptions", - "text": "CustomHttpResponseOptions" + "parentPluginId": "core", + "id": "def-server.HttpResources.register.$1", + "type": "Object", + "tags": [], + "label": "route", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.RouteConfig", + "text": "RouteConfig" + }, + "" + ], + "path": "src/core/server/http_resources/types.ts", + "deprecated": false, + "isRequired": true }, - ") => ", - "KibanaResponse", - "; badRequest: (options?: ", { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", + "parentPluginId": "core", + "id": "def-server.HttpResources.register.$2", + "type": "Function", + "tags": [], + "label": "handler", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "server", + "docId": "kibCorePluginApi", + "section": "def-server.HttpResourcesRequestHandler", + "text": "HttpResourcesRequestHandler" + }, + "" + ], + "path": "src/core/server/http_resources/types.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "core", + "id": "def-server.HttpResourcesRenderOptions", + "type": "Interface", + "tags": [], + "label": "HttpResourcesRenderOptions", + "description": [ + "\nAllows to configure HTTP response parameters" + ], + "path": "src/core/server/http_resources/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "core", + "id": "def-server.HttpResourcesRenderOptions.headers", + "type": "CompoundType", + "tags": [], + "label": "headers", + "description": [ + "\nHTTP Headers with additional information about response." + ], + "signature": [ { "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" }, - ">; unauthorized: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; forbidden: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; notFound: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; conflict: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; customError: (options: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.CustomHttpResponseOptions", - "text": "CustomHttpResponseOptions" - }, - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">) => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; redirected: (options: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.RedirectResponseOptions", - "text": "RedirectResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; ok: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; accepted: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; noContent: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "; } & ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.HttpResourcesServiceToolkit", - "text": "HttpResourcesServiceToolkit" - }, - ">) => void" - ], - "path": "src/core/server/http_resources/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "core", - "id": "def-server.HttpResources.register.$1", - "type": "Object", - "tags": [], - "label": "route", - "description": [], - "signature": [ - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.RouteConfig", - "text": "RouteConfig" - }, - "" - ], - "path": "src/core/server/http_resources/types.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "core", - "id": "def-server.HttpResources.register.$2", - "type": "Function", - "tags": [], - "label": "handler", - "description": [], - "signature": [ - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.RequestHandler", - "text": "RequestHandler" - }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", - "Stream", - " | undefined>(options: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.CustomHttpResponseOptions", - "text": "CustomHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "; badRequest: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; unauthorized: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; forbidden: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; notFound: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; conflict: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ErrorHttpResponseOptions", - "text": "ErrorHttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; customError: (options: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.CustomHttpResponseOptions", - "text": "CustomHttpResponseOptions" - }, - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">) => ", - "KibanaResponse", - "<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.ResponseError", - "text": "ResponseError" - }, - ">; redirected: (options: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.RedirectResponseOptions", - "text": "RedirectResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; ok: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; accepted: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - " | Buffer | ", - "Stream", - ">; noContent: (options?: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.HttpResponseOptions", - "text": "HttpResponseOptions" - }, - ") => ", - "KibanaResponse", - "; } & ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.HttpResourcesServiceToolkit", - "text": "HttpResourcesServiceToolkit" - }, - ">" - ], - "path": "src/core/server/http_resources/types.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [] - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "core", - "id": "def-server.HttpResourcesRenderOptions", - "type": "Interface", - "tags": [], - "label": "HttpResourcesRenderOptions", - "description": [ - "\nAllows to configure HTTP response parameters" - ], - "path": "src/core/server/http_resources/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "core", - "id": "def-server.HttpResourcesRenderOptions.headers", - "type": "CompoundType", - "tags": [], - "label": "headers", - "description": [ - "\nHTTP Headers with additional information about response." - ], - "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + " | undefined" ], "path": "src/core/server/http_resources/types.ts", "deprecated": false @@ -11973,9 +11543,9 @@ "\nA {@link ElasticsearchClient | client} to be used to query the ES cluster on behalf of the Kibana internal user" ], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -12124,7 +11694,7 @@ "tags": [], "label": "provider", "description": [ - "- A {@link IContextProvider} to be called each time a new context is created." + "- A {@link IContextProvider } to be called each time a new context is created." ], "signature": [ { @@ -12142,7 +11712,7 @@ } ], "returnComment": [ - "The {@link IContextContainer} for method chaining." + "The {@link IContextContainer } for method chaining." ] }, { @@ -12171,7 +11741,15 @@ "section": "def-server.RequestHandlerContext", "text": "RequestHandlerContext" }, - ", any, { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", any, { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -12193,15 +11771,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -12211,15 +11789,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -12229,15 +11807,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -12247,15 +11825,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -12265,15 +11843,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -12291,15 +11869,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -12353,7 +11931,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -12375,15 +11961,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -12393,15 +11979,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -12411,15 +11997,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -12429,15 +12015,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -12447,15 +12033,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -12473,15 +12059,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -12581,7 +12167,15 @@ "section": "def-server.RequestHandlerContext", "text": "RequestHandlerContext" }, - ", any, { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", any, { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -12603,15 +12197,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -12621,15 +12215,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -12639,15 +12233,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -12657,15 +12251,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -12675,15 +12269,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -12701,15 +12295,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -13168,9 +12762,9 @@ "\nA {@link ElasticsearchClient | client} to be used to query the elasticsearch cluster\non behalf of the internal Kibana user." ], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -13191,9 +12785,9 @@ "\nA {@link ElasticsearchClient | client} to be used to query the elasticsearch cluster\non behalf of the user that initiated the request to the Kibana server." ], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -13229,9 +12823,9 @@ "\nReturns registered uiSettings values {@link UiSettingsParams}" ], "signature": [ - "() => Readonly, \"name\" | \"type\" | \"description\" | \"options\" | \"order\" | \"value\" | \"category\" | \"optionLabels\" | \"requiresPageReload\" | \"readonly\" | \"sensitive\" | \"deprecation\" | \"metric\">>>" + "() => Readonly>" ], "path": "src/core/server/ui_settings/types.ts", "deprecated": false, @@ -14012,9 +13606,7 @@ "label": "loggers", "description": [], "signature": [ - "Readonly<{} & { name: string; level: ", - "LogLevelId", - "; appenders: string[]; }>[] | undefined" + "Readonly<{} & { name: string; level: \"all\" | \"error\" | \"info\" | \"off\" | \"trace\" | \"debug\" | \"warn\" | \"fatal\"; appenders: string[]; }>[] | undefined" ], "path": "src/core/server/logging/logging_config.ts", "deprecated": false @@ -14726,7 +14318,7 @@ "tags": [], "label": "PackageInfo", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "children": [ { @@ -14736,7 +14328,7 @@ "tags": [], "label": "version", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -14746,7 +14338,7 @@ "tags": [], "label": "branch", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -14756,7 +14348,7 @@ "tags": [], "label": "buildNum", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -14766,7 +14358,7 @@ "tags": [], "label": "buildSha", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -14776,7 +14368,7 @@ "tags": [], "label": "dist", "description": [], - "path": "node_modules/@kbn/config/target_types/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -14971,13 +14563,7 @@ "\nProvider for the {@link ConfigDeprecation} to apply to the plugin configuration." ], "signature": [ - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationProvider", - "text": "ConfigDeprecationProvider" - }, + "ConfigDeprecationProvider", " | undefined" ], "path": "src/core/server/plugins/types.ts", @@ -15008,13 +14594,7 @@ "\nSchema to use to validate the plugin configuration.\n\n{@link PluginConfigSchema}" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "" ], "path": "src/core/server/plugins/types.ts", @@ -15089,21 +14669,9 @@ "description": [], "signature": [ "{ mode: ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.EnvironmentMode", - "text": "EnvironmentMode" - }, + "EnvironmentMode", "; packageInfo: Readonly<", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.PackageInfo", - "text": "PackageInfo" - }, + "PackageInfo", ">; instanceUuid: string; configs: readonly string[]; }" ], "path": "src/core/server/plugins/types.ts", @@ -15142,55 +14710,19 @@ "signature": [ "{ legacy: { globalConfig$: ", "Observable", - " moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; }>; path: Readonly<{ readonly data: string; }>; savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + " moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; }>; path: Readonly<{ readonly data: string; }>; savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", + "ByteSizeValue", ") => boolean; isLessThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + "ByteSizeValue", ") => boolean; isEqualTo: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, - ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: \"b\" | \"kb\" | \"mb\" | \"gb\" | undefined) => string; }>; }>; }>>; get: () => Readonly<{ elasticsearch: Readonly<{ readonly requestTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; }>; path: Readonly<{ readonly data: string; }>; savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + "ByteSizeValue", + ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: ByteSizeValueUnit | undefined) => string; }>; }>; }>>; get: () => Readonly<{ elasticsearch: Readonly<{ readonly requestTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; }>; path: Readonly<{ readonly data: string; }>; savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", + "ByteSizeValue", ") => boolean; isLessThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + "ByteSizeValue", ") => boolean; isEqualTo: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, - ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: \"b\" | \"kb\" | \"mb\" | \"gb\" | undefined) => string; }>; }>; }>; }; create: () => ", + "ByteSizeValue", + ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: ByteSizeValueUnit | undefined) => string; }>; }>; }>; }; create: () => ", "Observable", "; get: () => T; }" ], @@ -15435,9 +14967,9 @@ "label": "internalClient", "description": [], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -15773,23 +15305,23 @@ "label": "core", "description": [], "signature": [ - "{ savedObjects: { client: Pick<", + "{ savedObjects: { client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; typeRegistry: Pick<", + "; typeRegistry: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectTypeRegistry", - "text": "SavedObjectTypeRegistry" + "section": "def-server.ISavedObjectTypeRegistry", + "text": "ISavedObjectTypeRegistry" }, - ", \"getType\" | \"getVisibleTypes\" | \"getAllTypes\" | \"getImportableAndExportableTypes\" | \"isNamespaceAgnostic\" | \"isSingleNamespace\" | \"isMultiNamespace\" | \"isShareable\" | \"isHidden\" | \"getIndex\" | \"isImportableAndExportable\">; getClient: (options?: ", + "; getClient: (options?: ", { "pluginId": "core", "scope": "server", @@ -15797,47 +15329,47 @@ "section": "def-server.SavedObjectsClientProviderOptions", "text": "SavedObjectsClientProviderOptions" }, - " | undefined) => Pick<", + " | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; getExporter: (client: Pick<", + "; getExporter: (client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => Pick<", + ") => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsExporter", - "text": "SavedObjectsExporter" + "section": "def-server.ISavedObjectsExporter", + "text": "ISavedObjectsExporter" }, - ", \"exportByTypes\" | \"exportByObjects\">; getImporter: (client: Pick<", + "; getImporter: (client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => Pick<", + ") => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsImporter", - "text": "SavedObjectsImporter" + "section": "def-server.ISavedObjectsImporter", + "text": "ISavedObjectsImporter" }, - ", \"import\" | \"resolveImportErrors\">; }; elasticsearch: { client: ", + "; }; elasticsearch: { client: ", { "pluginId": "core", "scope": "server", @@ -16836,7 +16368,8 @@ "defines a type of UI element {@link UiSettingsType}" ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\" | undefined" + "UiSettingsType", + " | undefined" ], "path": "src/core/types/ui_settings.ts", "deprecated": false @@ -16880,13 +16413,7 @@ "label": "schema", "description": [], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "" ], "path": "src/core/types/ui_settings.ts", @@ -16905,13 +16432,7 @@ ], "signature": [ "{ type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", "; name: string; } | undefined" ], "path": "src/core/types/ui_settings.ts", @@ -17007,15 +16528,15 @@ "\nCreates a {@link IUiSettingsClient} with provided *scoped* saved objects client.\n\nThis should only be used in the specific case where the client needs to be accessed\nfrom outside of the scope of a {@link RequestHandler}.\n" ], "signature": [ - "(savedObjectsClient: Pick<", + "(savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => ", + ") => ", { "pluginId": "core", "scope": "server", @@ -17035,15 +16556,13 @@ "label": "savedObjectsClient", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/ui_settings/types.ts", "deprecated": false, @@ -17122,14 +16641,12 @@ "tags": [], "label": "AddConfigDeprecation", "description": [ - "\nConfig deprecation hook used when invoking a {@link ConfigDeprecation}\n" + "\r\nConfig deprecation hook used when invoking a {@link ConfigDeprecation}\r\n" ], "signature": [ - "(details: ", - "DeprecatedConfigDetails", - ") => void" + "(details: DeprecatedConfigDetails) => void" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "returnComment": [], "children": [ @@ -17143,7 +16660,7 @@ "signature": [ "DeprecatedConfigDetails" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -17288,35 +16805,17 @@ "tags": [], "label": "ConfigDeprecation", "description": [ - "\nConfiguration deprecation returned from {@link ConfigDeprecationProvider} that handles a single deprecation from the configuration.\n" + "\r\nConfiguration deprecation returned from {@link ConfigDeprecationProvider} that handles a single deprecation from the configuration.\r\n" ], "signature": [ "(config: Readonly<{ [x: string]: any; }>, fromPath: string, addDeprecation: ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.AddConfigDeprecation", - "text": "AddConfigDeprecation" - }, + "AddConfigDeprecation", ", context: ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationContext", - "text": "ConfigDeprecationContext" - }, + "ConfigDeprecationContext", ") => void | ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationCommand", - "text": "ConfigDeprecationCommand" - } + "ConfigDeprecationCommand" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "returnComment": [], "children": [ @@ -17327,12 +16826,12 @@ "tags": [], "label": "config", "description": [ - "must not be mutated, return {@link ConfigDeprecationCommand} to change config shape." + "must not be mutated, return {@link ConfigDeprecationCommand } to change config shape." ], "signature": [ "{ readonly [x: string]: any; }" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -17342,7 +16841,7 @@ "tags": [], "label": "fromPath", "description": [], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false }, { @@ -17353,11 +16852,9 @@ "label": "addDeprecation", "description": [], "signature": [ - "(details: ", - "DeprecatedConfigDetails", - ") => void" + "(details: DeprecatedConfigDetails) => void" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "returnComment": [], "children": [ @@ -17371,7 +16868,7 @@ "signature": [ "DeprecatedConfigDetails" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ] @@ -17384,15 +16881,9 @@ "label": "context", "description": [], "signature": [ - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationContext", - "text": "ConfigDeprecationContext" - } + "ConfigDeprecationContext" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -17405,28 +16896,16 @@ "tags": [], "label": "ConfigDeprecationProvider", "description": [ - "\nA provider that should returns a list of {@link ConfigDeprecation}.\n\nSee {@link ConfigDeprecationFactory} for more usage examples.\n" + "\r\nA provider that should returns a list of {@link ConfigDeprecation}.\r\n\r\nSee {@link ConfigDeprecationFactory} for more usage examples.\r\n" ], "signature": [ "(factory: ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationFactory", - "text": "ConfigDeprecationFactory" - }, + "ConfigDeprecationFactory", ") => ", - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecation", - "text": "ConfigDeprecation" - }, + "ConfigDeprecation", "[]" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "returnComment": [], "children": [ @@ -17438,15 +16917,9 @@ "label": "factory", "description": [], "signature": [ - { - "pluginId": "@kbn/config", - "scope": "server", - "docId": "kibKbnConfigPluginApi", - "section": "def-server.ConfigDeprecationFactory", - "text": "ConfigDeprecationFactory" - } + "ConfigDeprecationFactory" ], - "path": "node_modules/@kbn/config/target_types/deprecation/types.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false } ], @@ -17462,7 +16935,7 @@ "signature": [ "string | string[]" ], - "path": "node_modules/@kbn/config/target_types/config.d.ts", + "path": "node_modules/@types/kbn__config/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -17589,7 +17062,7 @@ "label": "EcsEventCategory", "description": [], "signature": [ - "\"database\" | \"package\" | \"host\" | \"session\" | \"file\" | \"registry\" | \"network\" | \"web\" | \"process\" | \"authentication\" | \"configuration\" | \"driver\" | \"iam\" | \"intrusion_detection\" | \"malware\"" + "\"database\" | \"package\" | \"network\" | \"web\" | \"host\" | \"session\" | \"file\" | \"process\" | \"registry\" | \"authentication\" | \"configuration\" | \"driver\" | \"iam\" | \"intrusion_detection\" | \"malware\"" ], "path": "node_modules/@kbn/logging/target_types/ecs/event.d.ts", "deprecated": false, @@ -17631,7 +17104,7 @@ "label": "EcsEventType", "description": [], "signature": [ - "\"start\" | \"end\" | \"user\" | \"info\" | \"group\" | \"error\" | \"connection\" | \"protocol\" | \"access\" | \"admin\" | \"allowed\" | \"change\" | \"creation\" | \"deletion\" | \"denied\" | \"installation\"" + "\"start\" | \"user\" | \"error\" | \"end\" | \"info\" | \"group\" | \"connection\" | \"protocol\" | \"access\" | \"admin\" | \"allowed\" | \"change\" | \"creation\" | \"deletion\" | \"denied\" | \"installation\"" ], "path": "node_modules/@kbn/logging/target_types/ecs/event.d.ts", "deprecated": false, @@ -17647,9 +17120,9 @@ "\nClient used to query the elasticsearch cluster.\n" ], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -17679,7 +17152,7 @@ "section": "def-server.ElasticsearchConfig", "text": "ElasticsearchConfig" }, - ", \"username\" | \"hosts\" | \"password\" | \"sniffOnStart\" | \"sniffInterval\" | \"sniffOnConnectionFault\" | \"serviceAccountToken\" | \"requestHeadersWhitelist\" | \"customHeaders\"> & { pingTimeout?: number | moment.Duration | undefined; requestTimeout?: number | moment.Duration | undefined; ssl?: Partial; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>, \"key\" | \"certificate\" | \"verificationMode\" | \"keyPassphrase\" | \"alwaysPresentCertificate\"> & { certificateAuthorities?: string[] | undefined; }> | undefined; keepAlive?: boolean | undefined; caFingerprint?: string | undefined; }" + ", \"hosts\" | \"password\" | \"username\" | \"sniffOnStart\" | \"sniffInterval\" | \"sniffOnConnectionFault\" | \"serviceAccountToken\" | \"requestHeadersWhitelist\" | \"customHeaders\"> & { pingTimeout?: number | moment.Duration | undefined; requestTimeout?: number | moment.Duration | undefined; ssl?: Partial; truststore: Readonly<{ path?: string | undefined; password?: string | undefined; } & {}>; alwaysPresentCertificate: boolean; }>, \"key\" | \"certificate\" | \"verificationMode\" | \"keyPassphrase\" | \"alwaysPresentCertificate\"> & { certificateAuthorities?: string[] | undefined; }> | undefined; keepAlive?: boolean | undefined; caFingerprint?: string | undefined; }" ], "path": "src/core/server/elasticsearch/client/client_config.ts", "deprecated": false, @@ -17794,9 +17267,7 @@ "parentPluginId": "core", "id": "def-server.HttpResourcesRequestHandler", "type": "Type", - "tags": [ - "libk" - ], + "tags": [], "label": "HttpResourcesRequestHandler", "description": [ "\nExtended version of {@link RequestHandler} having access to {@link HttpResourcesServiceToolkit}\nto respond with HTML or JS resources." @@ -17810,7 +17281,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -17832,15 +17311,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -17850,15 +17329,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -17868,15 +17347,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -17886,15 +17365,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -17904,15 +17383,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -17930,15 +17409,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -18020,7 +17499,9 @@ "type": "Uncategorized", "tags": [], "label": "context", - "description": [], + "description": [ + "{@link RequestHandlerContext } - the core context exposed for this request." + ], "signature": [ "Context" ], @@ -18033,7 +17514,9 @@ "type": "Object", "tags": [], "label": "request", - "description": [], + "description": [ + "{@link KibanaRequest } - object containing information about requested resource,\nsuch as path, method, headers, parameters, query, body, etc." + ], "signature": [ { "pluginId": "core", @@ -18053,7 +17536,9 @@ "type": "Uncategorized", "tags": [], "label": "response", - "description": [], + "description": [ + "{@link KibanaResponseFactory } {@libk HttpResourcesServiceToolkit} - a set of helper functions used to respond to a request." + ], "signature": [ "ResponseFactory" ], @@ -18095,7 +17580,7 @@ "\nA function that returns a context value for a specific key of given context type.\n" ], "signature": [ - "(context: Pick>, request: ", + "(context: Omit, request: ", { "pluginId": "core", "scope": "server", @@ -18103,7 +17588,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -18125,15 +17618,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -18143,15 +17636,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -18161,15 +17654,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -18179,15 +17672,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -18197,15 +17690,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -18223,15 +17716,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -18318,7 +17811,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -18340,15 +17841,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -18358,15 +17859,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -18376,15 +17877,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -18394,15 +17895,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -18412,15 +17913,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -18438,15 +17939,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -18524,9 +18025,7 @@ "label": "LoggerConfigType", "description": [], "signature": [ - "{ readonly name: string; readonly level: ", - "LogLevelId", - "; readonly appenders: string[]; }" + "{ readonly name: string; readonly level: \"all\" | \"error\" | \"info\" | \"off\" | \"trace\" | \"debug\" | \"warn\" | \"fatal\"; readonly appenders: string[]; }" ], "path": "src/core/server/logging/logging_config.ts", "deprecated": false, @@ -18542,9 +18041,9 @@ "\nRepresents the ECS schema with the following reserved keys excluded:\n- `ecs`\n- `@timestamp`\n- `message`\n- `log.level`\n- `log.logger`\n" ], "signature": [ - "Pick<", + "Omit<", "EcsBase", - ", \"tags\" | \"labels\"> & ", + ", \"message\" | \"@timestamp\"> & ", "EcsTracing", " & { agent?: ", "EcsAgent", @@ -18572,9 +18071,9 @@ "EcsHost", " | undefined; http?: ", "EcsHttp", - " | undefined; log?: Pick<", + " | undefined; log?: Omit<", "EcsLog", - ", \"origin\" | \"file\" | \"syslog\"> | undefined; network?: ", + ", \"logger\" | \"level\"> | undefined; network?: ", "EcsNetwork", " | undefined; observer?: ", "EcsObserver", @@ -18624,7 +18123,7 @@ "\nList of configuration values that will be exposed to usage collection.\nIf parent node or actual config path is set to `true` then the actual value\nof these configs will be reoprted.\nIf parent node or actual config path is set to `false` then the config\nwill be reported as [redacted].\n" ], "signature": [ - "{ [Key in keyof T]?: (T[Key] extends Maybe ? false : T[Key] extends any[] | undefined ? boolean : T[Key] extends object | undefined ? boolean | ", + "{ [Key in keyof T]?: (T[Key] extends Maybe ? false : T[Key] extends Maybe ? boolean : T[Key] extends Maybe ? boolean | ", { "pluginId": "core", "scope": "server", @@ -18670,13 +18169,7 @@ "\nDedicated type for plugin configuration schema.\n" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "" ], "path": "src/core/server/plugins/types.ts", @@ -18794,16 +18287,12 @@ "\nA sub-set of {@link UiSettingsParams} exposed to the client-side." ], "signature": [ - "{ name?: string | undefined; type?: \"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\" | undefined; description?: string | undefined; options?: string[] | undefined; order?: number | undefined; value?: unknown; category?: string[] | undefined; optionLabels?: Record | undefined; requiresPageReload?: boolean | undefined; readonly?: boolean | undefined; sensitive?: boolean | undefined; deprecation?: ", + "{ type?: ", + "UiSettingsType", + " | undefined; description?: string | undefined; name?: string | undefined; options?: string[] | undefined; order?: number | undefined; value?: unknown; category?: string[] | undefined; optionLabels?: Record | undefined; requiresPageReload?: boolean | undefined; readonly?: boolean | undefined; sensitive?: boolean | undefined; deprecation?: ", "DeprecationSettings", " | undefined; metric?: { type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", "; name: string; } | undefined; }" ], "path": "src/core/types/ui_settings.ts", @@ -18820,11 +18309,10 @@ "\nType definition for a Saved Object attribute value\n" ], "signature": [ - "string | number | boolean | ", - "SavedObjectAttributes", + "SavedObjectAttributeSingle", " | ", "SavedObjectAttributeSingle", - "[] | null | undefined" + "[]" ], "path": "src/core/types/saved_objects.ts", "deprecated": false, @@ -18902,31 +18390,13 @@ "label": "SharedGlobalConfig", "description": [], "signature": [ - "{ readonly elasticsearch: Readonly<{ readonly requestTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: \"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\" | \"year\" | \"years\" | \"month\" | \"months\" | \"week\" | \"weeks\" | \"day\" | \"days\" | \"hour\" | \"hours\" | \"minute\" | \"minutes\" | \"second\" | \"seconds\" | \"millisecond\" | \"milliseconds\" | \"quarter\" | \"quarters\" | \"Q\" | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; }>; }>; readonly path: Readonly<{ readonly data: string; }>; readonly savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + "{ readonly elasticsearch: Readonly<{ readonly requestTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly shardTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; readonly pingTimeout: Readonly<{ clone: () => moment.Duration; humanize: { (argWithSuffix?: boolean | undefined, argThresholds?: moment.argThresholdOpts | undefined): string; (argThresholds?: moment.argThresholdOpts | undefined): string; }; abs: () => moment.Duration; as: (units: moment.unitOfTime.Base) => number; get: (units: moment.unitOfTime.Base) => number; milliseconds: () => number; asMilliseconds: () => number; seconds: () => number; asSeconds: () => number; minutes: () => number; asMinutes: () => number; hours: () => number; asHours: () => number; days: () => number; asDays: () => number; weeks: () => number; asWeeks: () => number; months: () => number; asMonths: () => number; years: () => number; asYears: () => number; add: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; subtract: (inp?: moment.DurationInputArg1, unit?: moment.unitOfTime.DurationConstructor | undefined) => moment.Duration; locale: { (): string; (locale: moment.LocaleSpecifier): moment.Duration; }; localeData: () => moment.Locale; toISOString: () => string; toJSON: () => string; isValid: () => boolean; lang: { (locale: moment.LocaleSpecifier): moment.Moment; (): moment.Locale; }; toIsoString: () => string; format: moment.Format; }>; }>; readonly path: Readonly<{ readonly data: string; }>; readonly savedObjects: Readonly<{ readonly maxImportPayloadBytes: Readonly<{ isGreaterThan: (other: ", + "ByteSizeValue", ") => boolean; isLessThan: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, + "ByteSizeValue", ") => boolean; isEqualTo: (other: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ByteSizeValue", - "text": "ByteSizeValue" - }, - ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: \"b\" | \"kb\" | \"mb\" | \"gb\" | undefined) => string; }>; }>; }" + "ByteSizeValue", + ") => boolean; getValueInBytes: () => number; toString: (returnUnit?: ByteSizeValueUnit | undefined) => string; }>; }>; }" ], "path": "src/core/server/plugins/types.ts", "deprecated": false, @@ -18968,7 +18438,7 @@ "\nUI element type to represent the settings." ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"json\" | \"color\" | \"image\" | \"markdown\" | \"select\" | \"array\"" + "\"string\" | \"number\" | \"boolean\" | \"undefined\" | \"color\" | \"image\" | \"json\" | \"markdown\" | \"select\" | \"array\"" ], "path": "src/core/types/ui_settings.ts", "deprecated": false, diff --git a/api_docs/core.mdx b/api_docs/core.mdx index 957518c3b71732..bd987a51d93a23 100644 --- a/api_docs/core.mdx +++ b/api_docs/core.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2326 | 15 | 1039 | 30 | +| 2326 | 15 | 997 | 32 | ## Client diff --git a/api_docs/core_application.json b/api_docs/core_application.json index 312205b6d0589f..30a26761208ecd 100644 --- a/api_docs/core_application.json +++ b/api_docs/core_application.json @@ -48,7 +48,7 @@ "description": [], "signature": [ "History", - "" + "" ], "path": "src/core/public/application/scoped_history.ts", "deprecated": false, @@ -81,7 +81,7 @@ "\nCreates a `ScopedHistory` for a subpath of this `ScopedHistory`. Useful for applications that may have sub-apps\nthat do not need access to the containing application's history.\n" ], "signature": [ - "(basePath: string) => ", + "(basePath: string) => ", { "pluginId": "core", "scope": "public", @@ -89,7 +89,7 @@ "section": "def-public.ScopedHistory", "text": "ScopedHistory" }, - "" + "" ], "path": "src/core/public/application/scoped_history.ts", "deprecated": false, @@ -339,8 +339,8 @@ ], "signature": [ "(prompt?: string | boolean | ", - "History", - ".TransitionPromptHook | undefined) => ", + "TransitionPromptHook", + " | undefined) => ", "UnregisterCallback" ], "path": "src/core/public/application/scoped_history.ts", @@ -355,8 +355,8 @@ "description": [], "signature": [ "string | boolean | ", - "History", - ".TransitionPromptHook | undefined" + "TransitionPromptHook", + " | undefined" ], "path": "src/core/public/application/scoped_history.ts", "deprecated": false, @@ -953,7 +953,7 @@ "tags": [], "label": "app", "description": [ - "- an {@link App}" + "- an {@link App }" ], "signature": [ { @@ -1357,30 +1357,10 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/index.tsx" }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/account_management/account_management_app.test.ts" - }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/access_agreement/access_agreement_app.test.ts" - }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/logged_out/logged_out_app.test.ts" - }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/login/login_app.test.ts" - }, { "plugin": "security", "path": "x-pack/plugins/security/public/authentication/logout/logout_app.test.ts" }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/overwritten_session/overwritten_session_app.test.ts" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/target/types/public/applications/fleet/index.d.ts" @@ -1468,34 +1448,14 @@ "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/app/index.tsx" }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/account_management/account_management_app.test.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/target/types/public/render_app.d.ts" }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/access_agreement/access_agreement_app.test.ts" - }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/logged_out/logged_out_app.test.ts" - }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/login/login_app.test.ts" - }, { "plugin": "security", "path": "x-pack/plugins/security/public/authentication/logout/logout_app.test.ts" }, - { - "plugin": "security", - "path": "x-pack/plugins/security/public/authentication/overwritten_session/overwritten_session_app.test.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/target/types/public/routes/map_page/map_page.d.ts" @@ -1857,7 +1817,7 @@ "\nInput type for registering secondary in-app locations for an application.\n\nDeep links must include at least one of `path` or `deepLinks`. A deep link that does not have a `path`\nrepresents a topological level in the application's hierarchy, but does not have a destination URL that is\nuser-accessible." ], "signature": [ - "({ id: string; title: string; keywords?: string[] | undefined; navLinkStatus?: ", + "{ id: string; title: string; keywords?: string[] | undefined; navLinkStatus?: ", { "pluginId": "core", "scope": "public", @@ -1873,7 +1833,7 @@ "section": "def-public.AppNavOptions", "text": "AppNavOptions" }, - " & { path: string; deepLinks?: ", + " & ({ path: string; deepLinks?: ", { "pluginId": "core", "scope": "public", @@ -1881,23 +1841,7 @@ "section": "def-public.AppDeepLink", "text": "AppDeepLink" }, - "[] | undefined; }) | ({ id: string; title: string; keywords?: string[] | undefined; navLinkStatus?: ", - { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreApplicationPluginApi", - "section": "def-public.AppNavLinkStatus", - "text": "AppNavLinkStatus" - }, - " | undefined; searchable?: boolean | undefined; } & ", - { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreApplicationPluginApi", - "section": "def-public.AppNavOptions", - "text": "AppNavOptions" - }, - " & { path?: string | undefined; deepLinks: ", + "[] | undefined; } | { path?: string | undefined; deepLinks: ", { "pluginId": "core", "scope": "public", @@ -2090,7 +2034,7 @@ "path": "src/core/public/application/types.ts", "deprecated": false, "returnComment": [ - "An unmounting function that will be called to unmount the application. See {@link AppUnmount}." + "An unmounting function that will be called to unmount the application. See {@link AppUnmount }." ], "children": [ { @@ -2099,7 +2043,9 @@ "type": "Object", "tags": [], "label": "params", - "description": [], + "description": [ + "{@link AppMountParameters }" + ], "signature": [ { "pluginId": "core", @@ -2144,23 +2090,23 @@ "\nDefines the list of fields that can be updated via an {@link AppUpdater}." ], "signature": [ - "{ deepLinks?: ", + "{ status?: ", { "pluginId": "core", "scope": "public", "docId": "kibCoreApplicationPluginApi", - "section": "def-public.AppDeepLink", - "text": "AppDeepLink" + "section": "def-public.AppStatus", + "text": "AppStatus" }, - "[] | undefined; searchable?: boolean | undefined; status?: ", + " | undefined; deepLinks?: ", { "pluginId": "core", "scope": "public", "docId": "kibCoreApplicationPluginApi", - "section": "def-public.AppStatus", - "text": "AppStatus" + "section": "def-public.AppDeepLink", + "text": "AppDeepLink" }, - " | undefined; navLinkStatus?: ", + "[] | undefined; searchable?: boolean | undefined; navLinkStatus?: ", { "pluginId": "core", "scope": "public", @@ -2192,15 +2138,15 @@ "section": "def-public.App", "text": "App" }, - ") => Partial) => Partial<", { "pluginId": "core", "scope": "public", "docId": "kibCoreApplicationPluginApi", - "section": "def-public.App", - "text": "App" + "section": "def-public.AppUpdatableFields", + "text": "AppUpdatableFields" }, - ", \"deepLinks\" | \"searchable\" | \"status\" | \"navLinkStatus\" | \"defaultPath\" | \"tooltip\">> | undefined" + "> | undefined" ], "path": "src/core/public/application/types.ts", "deprecated": false, @@ -2239,7 +2185,7 @@ "\nPublic information about a registered app's {@link AppDeepLink | deepLinks}\n" ], "signature": [ - "Pick<", + "Omit<", { "pluginId": "core", "scope": "public", @@ -2247,7 +2193,7 @@ "section": "def-public.AppDeepLink", "text": "AppDeepLink" }, - ", \"title\" | \"id\" | \"order\" | \"path\" | \"tooltip\" | \"euiIconType\" | \"icon\"> & { deepLinks: ", + ", \"keywords\" | \"deepLinks\" | \"searchable\" | \"navLinkStatus\"> & { deepLinks: ", { "pluginId": "core", "scope": "public", @@ -2279,7 +2225,7 @@ "\nPublic information about a registered {@link App | application}\n" ], "signature": [ - "Pick<", + "Omit<", { "pluginId": "core", "scope": "public", @@ -2287,7 +2233,7 @@ "section": "def-public.App", "text": "App" }, - ", \"title\" | \"id\" | \"order\" | \"capabilities\" | \"category\" | \"status\" | \"navLinkStatus\" | \"defaultPath\" | \"chromeless\" | \"appRoute\" | \"exactRoute\" | \"tooltip\" | \"euiIconType\" | \"icon\"> & { status: ", + ", \"mount\" | \"updater$\" | \"keywords\" | \"deepLinks\" | \"searchable\"> & { status: ", { "pluginId": "core", "scope": "public", diff --git a/api_docs/core_application.mdx b/api_docs/core_application.mdx index 6280d39c2cecde..6d90498fef4731 100644 --- a/api_docs/core_application.mdx +++ b/api_docs/core_application.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2326 | 15 | 1039 | 30 | +| 2326 | 15 | 997 | 32 | ## Client diff --git a/api_docs/core_chrome.json b/api_docs/core_chrome.json index 604ce27aa3abe8..2ddd5f2792222a 100644 --- a/api_docs/core_chrome.json +++ b/api_docs/core_chrome.json @@ -42,7 +42,8 @@ "label": "iconType", "description": [], "signature": [ - "string | React.ComponentClass<{}, any> | React.FunctionComponent<{}> | undefined" + "IconType", + " | undefined" ], "path": "src/core/public/chrome/types.ts", "deprecated": false @@ -210,31 +211,14 @@ "section": "def-public.ChromeHelpExtensionMenuCustomLink", "text": "ChromeHelpExtensionMenuCustomLink" }, - " extends Pick<(", - "DisambiguateSet", - "<", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.ButtonHTMLAttributes) | (", - "DisambiguateSet", - "<", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { href?: string | undefined; onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.AnchorHTMLAttributes), \"data-test-subj\" | \"target\" | \"iconType\" | \"rel\">" + " extends ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCoreChromePluginApi", + "section": "def-public.ChromeHelpExtensionLinkBase", + "text": "ChromeHelpExtensionLinkBase" + } ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false, @@ -276,7 +260,7 @@ "\nContent of the button (in lieu of `children`)" ], "signature": [ - "string | number | boolean | {} | React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | React.ReactNodeArray | React.ReactPortal | null | undefined" + "boolean | React.ReactChild | React.ReactFragment | React.ReactPortal | null | undefined" ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false @@ -299,31 +283,14 @@ "section": "def-public.ChromeHelpExtensionMenuDiscussLink", "text": "ChromeHelpExtensionMenuDiscussLink" }, - " extends Pick<(", - "DisambiguateSet", - "<", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.ButtonHTMLAttributes) | (", - "DisambiguateSet", - "<", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { href?: string | undefined; onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.AnchorHTMLAttributes), \"data-test-subj\" | \"target\" | \"iconType\" | \"rel\">" + " extends ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCoreChromePluginApi", + "section": "def-public.ChromeHelpExtensionLinkBase", + "text": "ChromeHelpExtensionLinkBase" + } ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false, @@ -373,31 +340,14 @@ "section": "def-public.ChromeHelpExtensionMenuDocumentationLink", "text": "ChromeHelpExtensionMenuDocumentationLink" }, - " extends Pick<(", - "DisambiguateSet", - "<", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.ButtonHTMLAttributes) | (", - "DisambiguateSet", - "<", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { href?: string | undefined; onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.AnchorHTMLAttributes), \"data-test-subj\" | \"target\" | \"iconType\" | \"rel\">" + " extends ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCoreChromePluginApi", + "section": "def-public.ChromeHelpExtensionLinkBase", + "text": "ChromeHelpExtensionLinkBase" + } ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false, @@ -447,31 +397,14 @@ "section": "def-public.ChromeHelpExtensionMenuGitHubLink", "text": "ChromeHelpExtensionMenuGitHubLink" }, - " extends Pick<(", - "DisambiguateSet", - "<", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.ButtonHTMLAttributes) | (", - "DisambiguateSet", - "<", - "PropsForButton", - "<", - "CommonEuiButtonEmptyProps", - ", {}>, ", - "PropsForAnchor", - "<", - "CommonEuiButtonEmptyProps", - ", {}>> & ", - "CommonEuiButtonEmptyProps", - " & { href?: string | undefined; onClick?: ((event: React.MouseEvent) => void) | undefined; } & React.AnchorHTMLAttributes), \"data-test-subj\" | \"target\" | \"iconType\" | \"rel\">" + " extends ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCoreChromePluginApi", + "section": "def-public.ChromeHelpExtensionLinkBase", + "text": "ChromeHelpExtensionLinkBase" + } ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false, @@ -1934,7 +1867,7 @@ "description": [], "signature": [ "CommonProps", - " & { text: React.ReactNode; href?: string | undefined; onClick?: ((event: React.MouseEvent) => void) | undefined; truncate?: boolean | undefined; 'aria-current'?: boolean | \"date\" | \"page\" | \"time\" | \"true\" | \"false\" | \"step\" | \"location\" | undefined; }" + " & { text: React.ReactNode; href?: string | undefined; onClick?: React.MouseEventHandler | undefined; truncate?: boolean | undefined; 'aria-current'?: boolean | \"date\" | \"page\" | \"time\" | \"true\" | \"false\" | \"step\" | \"location\" | undefined; }" ], "path": "src/core/public/chrome/types.ts", "deprecated": false, @@ -1948,7 +1881,9 @@ "label": "ChromeHelpExtensionLinkBase", "description": [], "signature": [ - "{ 'data-test-subj'?: string | undefined; target?: string | undefined; iconType?: string | React.ComponentClass<{}, any> | React.FunctionComponent<{}> | undefined; rel?: string | undefined; }" + "{ 'data-test-subj'?: string | undefined; target?: string | undefined; iconType?: ", + "IconType", + " | undefined; rel?: string | undefined; }" ], "path": "src/core/public/chrome/ui/header/header_help_menu.tsx", "deprecated": false, diff --git a/api_docs/core_chrome.mdx b/api_docs/core_chrome.mdx index 75751577d70117..560ae7b28e3b53 100644 --- a/api_docs/core_chrome.mdx +++ b/api_docs/core_chrome.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2326 | 15 | 1039 | 30 | +| 2326 | 15 | 997 | 32 | ## Client diff --git a/api_docs/core_http.json b/api_docs/core_http.json index 66b32fe7747327..8b83f3b178a4d4 100644 --- a/api_docs/core_http.json +++ b/api_docs/core_http.json @@ -342,15 +342,15 @@ "section": "def-public.IHttpInterceptController", "text": "IHttpInterceptController" }, - ") => void | Partial<", + ") => void | ", { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreHttpPluginApi", - "section": "def-public.HttpFetchOptionsWithPath", - "text": "HttpFetchOptionsWithPath" + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.MaybePromise", + "text": "MaybePromise" }, - "> | Promise void | Partial<", + ") => void | ", { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreHttpPluginApi", - "section": "def-public.HttpFetchOptionsWithPath", - "text": "HttpFetchOptionsWithPath" + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.MaybePromise", + "text": "MaybePromise" }, - "> | Promise void | ", { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreHttpPluginApi", - "section": "def-public.IHttpResponseInterceptorOverrides", - "text": "IHttpResponseInterceptorOverrides" + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.MaybePromise", + "text": "MaybePromise" }, - " | Promise<", + "<", { "pluginId": "core", "scope": "public", @@ -551,7 +557,9 @@ "type": "Object", "tags": [], "label": "httpResponse", - "description": [], + "description": [ + "{@link HttpResponse }" + ], "signature": [ { "pluginId": "core", @@ -572,7 +580,9 @@ "type": "Object", "tags": [], "label": "controller", - "description": [], + "description": [ + "{@link IHttpInterceptController }" + ], "signature": [ { "pluginId": "core", @@ -617,13 +627,13 @@ }, ") => void | ", { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreHttpPluginApi", - "section": "def-public.IHttpResponseInterceptorOverrides", - "text": "IHttpResponseInterceptorOverrides" + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.MaybePromise", + "text": "MaybePromise" }, - " | Promise<", + "<", { "pluginId": "core", "scope": "public", @@ -642,7 +652,9 @@ "type": "Object", "tags": [], "label": "httpErrorResponse", - "description": [], + "description": [ + "{@link HttpInterceptorResponseError }" + ], "signature": [ { "pluginId": "core", @@ -662,7 +674,9 @@ "type": "Object", "tags": [], "label": "controller", - "description": [], + "description": [ + "{@link IHttpInterceptController }" + ], "signature": [ { "pluginId": "core", @@ -718,7 +732,7 @@ }, " | undefined; readonly asSystemRequest?: boolean | undefined; readonly asResponse?: boolean | undefined; readonly context?: ", "KibanaExecutionContext", - " | undefined; readonly body?: string | Blob | ArrayBufferView | ArrayBuffer | FormData | URLSearchParams | ReadableStream | null | undefined; readonly cache?: \"default\" | \"reload\" | \"force-cache\" | \"no-cache\" | \"no-store\" | \"only-if-cached\" | undefined; readonly credentials?: \"include\" | \"omit\" | \"same-origin\" | undefined; readonly integrity?: string | undefined; readonly keepalive?: boolean | undefined; readonly method?: string | undefined; readonly mode?: \"same-origin\" | \"cors\" | \"navigate\" | \"no-cors\" | undefined; readonly redirect?: \"error\" | \"follow\" | \"manual\" | undefined; readonly referrer?: string | undefined; readonly referrerPolicy?: \"\" | \"origin\" | \"no-referrer\" | \"unsafe-url\" | \"same-origin\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | undefined; readonly signal?: AbortSignal | null | undefined; readonly window?: null | undefined; }" + " | undefined; readonly body?: BodyInit | null | undefined; readonly cache?: RequestCache | undefined; readonly credentials?: RequestCredentials | undefined; readonly integrity?: string | undefined; readonly keepalive?: boolean | undefined; readonly method?: string | undefined; readonly mode?: RequestMode | undefined; readonly redirect?: RequestRedirect | undefined; readonly referrer?: string | undefined; readonly referrerPolicy?: ReferrerPolicy | undefined; readonly signal?: AbortSignal | null | undefined; readonly window?: null | undefined; }" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -826,7 +840,7 @@ "\nA BodyInit object or null to set request's body." ], "signature": [ - "string | Blob | ArrayBufferView | ArrayBuffer | FormData | URLSearchParams | ReadableStream | null | undefined" + "BodyInit | null | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -841,7 +855,7 @@ "\nThe cache mode associated with request, which is a string indicating how the request will interact with the\nbrowser's cache when fetching." ], "signature": [ - "\"default\" | \"reload\" | \"force-cache\" | \"no-cache\" | \"no-store\" | \"only-if-cached\" | undefined" + "RequestCache | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -856,7 +870,7 @@ "\nThe credentials mode associated with request, which is a string indicating whether credentials will be sent with\nthe request always, never, or only when sent to a same-origin URL." ], "signature": [ - "\"include\" | \"omit\" | \"same-origin\" | undefined" + "RequestCredentials | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -938,7 +952,7 @@ "\nThe mode associated with request, which is a string indicating whether the request will use CORS, or will be\nrestricted to same-origin URLs." ], "signature": [ - "\"same-origin\" | \"cors\" | \"navigate\" | \"no-cors\" | undefined" + "RequestMode | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -953,7 +967,7 @@ "\nThe redirect mode associated with request, which is a string indicating how redirects for the request will be\nhandled during fetching. A request will follow redirects by default." ], "signature": [ - "\"error\" | \"follow\" | \"manual\" | undefined" + "RequestRedirect | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -983,7 +997,7 @@ "\nThe referrer policy associated with request. This is used during fetching to compute the value of the request's\nreferrer." ], "signature": [ - "\"\" | \"origin\" | \"no-referrer\" | \"unsafe-url\" | \"same-origin\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | undefined" + "ReferrerPolicy | undefined" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -1069,7 +1083,7 @@ }, " | undefined; readonly asSystemRequest?: boolean | undefined; readonly asResponse?: boolean | undefined; readonly context?: ", "KibanaExecutionContext", - " | undefined; readonly body?: string | Blob | ArrayBufferView | ArrayBuffer | FormData | URLSearchParams | ReadableStream | null | undefined; readonly cache?: \"default\" | \"reload\" | \"force-cache\" | \"no-cache\" | \"no-store\" | \"only-if-cached\" | undefined; readonly credentials?: \"include\" | \"omit\" | \"same-origin\" | undefined; readonly integrity?: string | undefined; readonly keepalive?: boolean | undefined; readonly method?: string | undefined; readonly mode?: \"same-origin\" | \"cors\" | \"navigate\" | \"no-cors\" | undefined; readonly redirect?: \"error\" | \"follow\" | \"manual\" | undefined; readonly referrer?: string | undefined; readonly referrerPolicy?: \"\" | \"origin\" | \"no-referrer\" | \"unsafe-url\" | \"same-origin\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | undefined; readonly signal?: AbortSignal | null | undefined; readonly window?: null | undefined; }" + " | undefined; readonly body?: BodyInit | null | undefined; readonly cache?: RequestCache | undefined; readonly credentials?: RequestCredentials | undefined; readonly integrity?: string | undefined; readonly keepalive?: boolean | undefined; readonly method?: string | undefined; readonly mode?: RequestMode | undefined; readonly redirect?: RequestRedirect | undefined; readonly referrer?: string | undefined; readonly referrerPolicy?: ReferrerPolicy | undefined; readonly signal?: AbortSignal | null | undefined; readonly window?: null | undefined; }" ], "path": "src/core/public/http/types.ts", "deprecated": false @@ -1223,7 +1237,7 @@ "tags": [], "label": "interceptor", "description": [ - "a {@link HttpInterceptor}" + "a {@link HttpInterceptor }" ], "signature": [ { @@ -2528,13 +2542,7 @@ "text": "RouteValidationError" }, " extends ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.SchemaTypeError", - "text": "SchemaTypeError" - } + "SchemaTypeError" ], "path": "src/core/server/http/router/validator/validator_error.ts", "deprecated": false, @@ -2744,7 +2752,14 @@ "\nHeaders to attach for auth redirect.\nMust include \"location\" header" ], "signature": [ - "({ location: string; } & Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]>) | ({ location: string; } & Record)" + "{ location: string; } & ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + } ], "path": "src/core/server/http/lifecycle/auth.ts", "deprecated": false @@ -2789,7 +2804,14 @@ "\nAuth specific headers to attach to a request object.\nUsed to perform a request to Elasticsearch on behalf of an authenticated user." ], "signature": [ - "Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.AuthHeaders", + "text": "AuthHeaders" + }, + " | undefined" ], "path": "src/core/server/http/lifecycle/auth.ts", "deprecated": false @@ -2804,7 +2826,14 @@ "\nAuth specific headers to attach to a response object.\nUsed to send back authentication mechanism related headers to a client when needed." ], "signature": [ - "Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.AuthHeaders", + "text": "AuthHeaders" + }, + " | undefined" ], "path": "src/core/server/http/lifecycle/auth.ts", "deprecated": false @@ -2910,7 +2939,15 @@ "\nRedirects user to another location to complete authentication when authRequired: true\nAllows user to access a resource without redirection when authRequired: 'optional'" ], "signature": [ - "(headers: ({ location: string; } & Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]>) | ({ location: string; } & Record)) => ", + "(headers: { location: string; } & ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + ") => ", { "pluginId": "core", "scope": "server", @@ -2930,7 +2967,14 @@ "label": "headers", "description": [], "signature": [ - "({ location: string; } & Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]>) | ({ location: string; } & Record)" + "{ location: string; } & ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + } ], "path": "src/core/server/http/lifecycle/auth.ts", "deprecated": false, @@ -2989,7 +3033,14 @@ "HTTP Headers with additional information about response" ], "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + " | undefined" ], "path": "src/core/server/http/router/response.ts", "deprecated": false @@ -3044,7 +3095,14 @@ "HTTP message to send to the client" ], "signature": [ - "string | Error | { message: string | Error; attributes?: Record | undefined; } | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseError", + "text": "ResponseError" + }, + " | undefined" ], "path": "src/core/server/http/router/response.ts", "deprecated": false @@ -3059,7 +3117,14 @@ "HTTP Headers with additional information about response" ], "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + " | undefined" ], "path": "src/core/server/http/router/response.ts", "deprecated": false @@ -3219,7 +3284,14 @@ "HTTP Headers with additional information about response" ], "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + " | undefined" ], "path": "src/core/server/http/router/response.ts", "deprecated": false @@ -3408,7 +3480,7 @@ "\nAccess or manipulate the Kibana base path\nSee {@link IBasePath}." ], "signature": [ - "{ get: (request: ", + "{ remove: (path: string) => string; get: (request: ", { "pluginId": "core", "scope": "server", @@ -3424,7 +3496,7 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", requestSpecificBasePath: string) => void; remove: (path: string) => string; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" + ", requestSpecificBasePath: string) => void; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" ], "path": "src/core/server/http/types.ts", "deprecated": false @@ -3505,7 +3577,9 @@ "type": "Object", "tags": [], "label": "cookieOptions", - "description": [], + "description": [ + "{@link SessionStorageCookieOptions } - options to configure created cookie session storage." + ], "signature": [ { "pluginId": "core", @@ -3552,7 +3626,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link OnPreRoutingHandler } - function to call." + ], "signature": [ { "pluginId": "core", @@ -3598,7 +3674,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link OnPreRoutingHandler } - function to call." + ], "signature": [ { "pluginId": "core", @@ -3644,7 +3722,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link AuthenticationHandler } - function to perform authentication." + ], "signature": [ { "pluginId": "core", @@ -3690,7 +3770,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link OnPostAuthHandler } - function to call." + ], "signature": [ { "pluginId": "core", @@ -3736,7 +3818,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link OnPreResponseHandler } - function to call." + ], "signature": [ { "pluginId": "core", @@ -3763,7 +3847,7 @@ "\nAccess or manipulate the Kibana base path\nSee {@link IBasePath}." ], "signature": [ - "{ get: (request: ", + "{ remove: (path: string) => string; get: (request: ", { "pluginId": "core", "scope": "server", @@ -3779,7 +3863,7 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", requestSpecificBasePath: string) => void; remove: (path: string) => string; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" + ", requestSpecificBasePath: string) => void; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" ], "path": "src/core/server/http/types.ts", "deprecated": false @@ -3892,9 +3976,9 @@ { "pluginId": "core", "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.IContextProvider", - "text": "IContextProvider" + "docId": "kibCoreHttpPluginApi", + "section": "def-server.RequestHandlerContextProvider", + "text": "RequestHandlerContextProvider" }, ") => ", { @@ -3933,9 +4017,9 @@ { "pluginId": "core", "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.IContextProvider", - "text": "IContextProvider" + "docId": "kibCoreHttpPluginApi", + "section": "def-server.RequestHandlerContextProvider", + "text": "RequestHandlerContextProvider" }, "" ], @@ -3993,7 +4077,7 @@ "\nAccess or manipulate the Kibana base path\nSee {@link IBasePath}." ], "signature": [ - "{ get: (request: ", + "{ remove: (path: string) => string; get: (request: ", { "pluginId": "core", "scope": "server", @@ -4009,7 +4093,7 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", requestSpecificBasePath: string) => void; remove: (path: string) => string; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" + ", requestSpecificBasePath: string) => void; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" ], "path": "src/core/server/http/types.ts", "deprecated": false @@ -4429,7 +4513,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -4451,15 +4543,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -4469,15 +4561,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -4487,15 +4579,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -4505,15 +4597,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -4523,15 +4615,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -4549,15 +4641,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -4615,7 +4707,9 @@ "type": "Object", "tags": [], "label": "route", - "description": [], + "description": [ + "{@link RouteConfig } - a route configuration." + ], "signature": [ { "pluginId": "core", @@ -4635,7 +4729,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a function to call to respond to an incoming request" + ], "signature": [ "(context: Context, request: ", { @@ -4645,7 +4741,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -4667,15 +4771,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -4685,15 +4789,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -4703,15 +4807,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -4721,15 +4825,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -4739,15 +4843,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -4765,15 +4869,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -4917,7 +5021,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -4939,15 +5051,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -4957,15 +5069,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -4975,15 +5087,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -4993,15 +5105,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -5011,15 +5123,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -5037,15 +5149,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -5103,7 +5215,9 @@ "type": "Object", "tags": [], "label": "route", - "description": [], + "description": [ + "{@link RouteConfig } - a route configuration." + ], "signature": [ { "pluginId": "core", @@ -5123,7 +5237,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a function to call to respond to an incoming request" + ], "signature": [ "(context: Context, request: ", { @@ -5133,7 +5249,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -5155,15 +5279,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -5173,15 +5297,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -5191,15 +5315,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -5209,15 +5333,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -5227,15 +5351,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -5253,15 +5377,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -5405,7 +5529,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -5427,15 +5559,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -5445,15 +5577,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -5463,15 +5595,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -5481,15 +5613,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -5499,15 +5631,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -5525,15 +5657,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -5591,7 +5723,9 @@ "type": "Object", "tags": [], "label": "route", - "description": [], + "description": [ + "{@link RouteConfig } - a route configuration." + ], "signature": [ { "pluginId": "core", @@ -5611,7 +5745,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a function to call to respond to an incoming request" + ], "signature": [ "(context: Context, request: ", { @@ -5621,7 +5757,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -5643,15 +5787,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -5661,15 +5805,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -5679,15 +5823,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -5697,15 +5841,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -5715,15 +5859,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -5741,15 +5885,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -5893,7 +6037,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -5915,15 +6067,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -5933,15 +6085,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -5951,15 +6103,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -5969,15 +6121,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -5987,15 +6139,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -6013,15 +6165,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -6079,7 +6231,9 @@ "type": "Object", "tags": [], "label": "route", - "description": [], + "description": [ + "{@link RouteConfig } - a route configuration." + ], "signature": [ { "pluginId": "core", @@ -6099,7 +6253,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a function to call to respond to an incoming request" + ], "signature": [ "(context: Context, request: ", { @@ -6109,7 +6265,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -6131,15 +6295,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -6149,15 +6313,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -6167,15 +6331,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -6185,15 +6349,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -6203,15 +6367,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -6229,15 +6393,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -6381,7 +6545,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -6403,15 +6575,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -6421,15 +6593,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -6439,15 +6611,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -6457,15 +6629,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -6475,15 +6647,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -6501,15 +6673,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -6567,7 +6739,9 @@ "type": "Object", "tags": [], "label": "route", - "description": [], + "description": [ + "{@link RouteConfig } - a route configuration." + ], "signature": [ { "pluginId": "core", @@ -6587,7 +6761,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a function to call to respond to an incoming request" + ], "signature": [ "(context: Context, request: ", { @@ -6597,7 +6773,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -6619,15 +6803,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -6637,15 +6821,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -6655,15 +6839,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -6673,15 +6857,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -6691,15 +6875,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -6717,15 +6901,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -6877,7 +7061,15 @@ "section": "def-server.RouteMethod", "text": "RouteMethod" }, - " = any, ResponseFactory extends { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " = any, ResponseFactory extends { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -6899,15 +7091,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -6917,15 +7109,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -6935,15 +7127,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -6953,15 +7145,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -6971,15 +7163,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -6997,15 +7189,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -7051,7 +7243,15 @@ }, ") => ", "KibanaResponse", - "; } = { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + "; } = { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -7073,15 +7273,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -7091,15 +7291,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -7109,15 +7309,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -7127,15 +7327,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -7145,15 +7345,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -7171,15 +7371,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -7253,7 +7453,9 @@ "type": "Function", "tags": [], "label": "handler", - "description": [], + "description": [ + "{@link RequestHandler } - a route handler to wrap" + ], "signature": [ "(context: Context, request: ", { @@ -7438,15 +7640,7 @@ "label": "options", "description": [], "signature": [ - "Method extends ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.SafeRouteMethod", - "text": "SafeRouteMethod" - }, - " ? Required, \"tags\" | \"timeout\" | \"authRequired\" | \"xsrfRequired\">> : Required<", + ", \"body\">> : Required<", { "pluginId": "core", "scope": "server", @@ -7552,7 +7746,14 @@ "additional headers to attach to the response" ], "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + " | undefined" ], "path": "src/core/server/http/lifecycle/on_pre_response.ts", "deprecated": false @@ -7607,7 +7808,14 @@ "additional headers to attach to the response" ], "signature": [ - "Record<\"from\" | \"date\" | \"origin\" | \"range\" | \"warning\" | \"location\" | \"allow\" | \"accept\" | \"accept-language\" | \"accept-patch\" | \"accept-ranges\" | \"access-control-allow-credentials\" | \"access-control-allow-headers\" | \"access-control-allow-methods\" | \"access-control-allow-origin\" | \"access-control-expose-headers\" | \"access-control-max-age\" | \"access-control-request-headers\" | \"access-control-request-method\" | \"age\" | \"alt-svc\" | \"authorization\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"etag\" | \"expect\" | \"expires\" | \"forwarded\" | \"host\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"pragma\" | \"proxy-authenticate\" | \"proxy-authorization\" | \"public-key-pins\" | \"referer\" | \"retry-after\" | \"sec-websocket-accept\" | \"sec-websocket-extensions\" | \"sec-websocket-key\" | \"sec-websocket-protocol\" | \"sec-websocket-version\" | \"set-cookie\" | \"strict-transport-security\" | \"tk\" | \"trailer\" | \"transfer-encoding\" | \"upgrade\" | \"user-agent\" | \"vary\" | \"via\" | \"www-authenticate\", string | string[]> | Record | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseHeaders", + "text": "ResponseHeaders" + }, + " | undefined" ], "path": "src/core/server/http/lifecycle/on_pre_response.ts", "deprecated": false @@ -7956,15 +8164,7 @@ "\nAdditional body options {@link RouteConfigOptionsBody}." ], "signature": [ - "(Method extends ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.SafeRouteMethod", - "text": "SafeRouteMethod" - }, - " ? undefined : ", + "(Method extends \"options\" | \"get\" ? undefined : ", { "pluginId": "core", "scope": "server", @@ -7987,15 +8187,7 @@ "\nDefines per-route timeouts." ], "signature": [ - "{ payload?: (Method extends ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.SafeRouteMethod", - "text": "SafeRouteMethod" - }, - " ? undefined : number) | undefined; idleSocket?: number | undefined; } | undefined" + "{ payload?: (Method extends \"options\" | \"get\" ? undefined : number) | undefined; idleSocket?: number | undefined; } | undefined" ], "path": "src/core/server/http/router/route.ts", "deprecated": false @@ -8215,28 +8407,12 @@ "\nValidation logic for the URL params" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, - " | ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, - "

    | ", { "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.RouteValidationFunction", - "text": "RouteValidationFunction" + "section": "def-server.RouteValidationSpec", + "text": "RouteValidationSpec" }, "

    | undefined" ], @@ -8253,28 +8429,12 @@ "\nValidation logic for the Query params" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, - " | ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, - " | ", { "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.RouteValidationFunction", - "text": "RouteValidationFunction" + "section": "def-server.RouteValidationSpec", + "text": "RouteValidationSpec" }, " | undefined" ], @@ -8291,28 +8451,12 @@ "\nValidation logic for the body payload" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, - " | ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, - " | ", { "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.RouteValidationFunction", - "text": "RouteValidationFunction" + "section": "def-server.RouteValidationSpec", + "text": "RouteValidationSpec" }, " | undefined" ], @@ -8736,15 +8880,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -8754,15 +8898,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -8772,15 +8916,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -8790,15 +8934,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -8808,15 +8952,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -8834,15 +8978,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -8875,26 +9019,10 @@ "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.Authenticated", - "text": "Authenticated" + "section": "def-server.AuthResult", + "text": "AuthResult" }, - " | ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.AuthNotHandled", - "text": "AuthNotHandled" - }, - " | ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.AuthRedirected", - "text": "AuthRedirected" - }, - " | Promise<", + " | Promise<", { "pluginId": "core", "scope": "server", @@ -8907,24 +9035,8 @@ "pluginId": "core", "scope": "server", "docId": "kibCoreHttpPluginApi", - "section": "def-server.Authenticated", - "text": "Authenticated" - }, - " | ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.AuthNotHandled", - "text": "AuthNotHandled" - }, - " | ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.AuthRedirected", - "text": "AuthRedirected" + "section": "def-server.AuthResult", + "text": "AuthResult" }, ">" ], @@ -8970,15 +9082,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -8988,15 +9100,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -9006,15 +9118,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -9024,15 +9136,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -9042,15 +9154,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -9068,15 +9180,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -9203,12 +9315,20 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ") => Record | undefined" + ") => ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.AuthHeaders", + "text": "AuthHeaders" + }, + " | undefined" ], "path": "src/core/server/http/auth_headers_storage.ts", "deprecated": false, "returnComment": [ - "authentication headers {@link AuthHeaders} for - an incoming request." + "authentication headers {@link AuthHeaders } for - an incoming request." ], "children": [ { @@ -9217,7 +9337,9 @@ "type": "Object", "tags": [], "label": "request", - "description": [], + "description": [ + "{@link KibanaRequest } - an incoming request." + ], "signature": [ { "pluginId": "core", @@ -9272,7 +9394,9 @@ "type": "Object", "tags": [], "label": "request", - "description": [], + "description": [ + "{@link KibanaRequest } - an incoming request." + ], "signature": [ { "pluginId": "core", @@ -9333,7 +9457,7 @@ "\nAccess or manipulate the Kibana base path\n\n{@link BasePath}" ], "signature": [ - "{ get: (request: ", + "{ remove: (path: string) => string; get: (request: ", { "pluginId": "core", "scope": "server", @@ -9349,7 +9473,7 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", requestSpecificBasePath: string) => void; remove: (path: string) => string; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" + ", requestSpecificBasePath: string) => void; readonly serverBasePath: string; readonly publicBaseUrl?: string | undefined; }" ], "path": "src/core/server/http/base_path_service.ts", "deprecated": false, @@ -9385,7 +9509,9 @@ "type": "Object", "tags": [], "label": "request", - "description": [], + "description": [ + "{@link KibanaRequest } - an incoming request." + ], "signature": [ { "pluginId": "core", @@ -9412,15 +9538,7 @@ "\nRoute options: If 'GET' or 'OPTIONS' method, body options won't be returned." ], "signature": [ - "Method extends ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreHttpPluginApi", - "section": "def-server.SafeRouteMethod", - "text": "SafeRouteMethod" - }, - " ? Required, \"tags\" | \"timeout\" | \"authRequired\" | \"xsrfRequired\">> : Required<", + ", \"body\">> : Required<", { "pluginId": "core", "scope": "server", @@ -9452,7 +9570,15 @@ "\nCreates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client." ], "signature": [ - "{ custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + "{ custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -9474,15 +9600,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -9492,15 +9618,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -9510,15 +9636,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -9528,15 +9654,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -9546,15 +9672,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -9572,15 +9698,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -9668,15 +9794,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -9686,15 +9812,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -9704,15 +9830,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -9722,15 +9848,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -9740,15 +9866,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -9766,15 +9892,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -9820,15 +9946,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -9838,15 +9964,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -9856,15 +9982,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -9874,15 +10000,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -9892,15 +10018,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -9918,15 +10044,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -9994,15 +10120,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -10012,15 +10138,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -10030,15 +10156,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -10048,15 +10174,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -10066,15 +10192,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -10092,15 +10218,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -10167,15 +10293,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -10185,15 +10311,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -10203,15 +10329,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -10221,15 +10347,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -10239,15 +10365,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -10265,15 +10391,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -10341,15 +10467,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -10359,15 +10485,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -10377,15 +10503,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -10395,15 +10521,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -10413,15 +10539,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -10439,15 +10565,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -10520,7 +10646,7 @@ "section": "def-server.OnPreResponseToolkit", "text": "OnPreResponseToolkit" }, - ") => Render | Next | Promise" + ") => OnPreResponseResult | Promise" ], "path": "src/core/server/http/lifecycle/on_pre_response.ts", "deprecated": false, @@ -10615,15 +10741,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -10633,15 +10759,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -10651,15 +10777,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -10669,15 +10795,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -10687,15 +10813,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -10713,15 +10839,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -10741,9 +10867,9 @@ "section": "def-server.OnPreRoutingToolkit", "text": "OnPreRoutingToolkit" }, - ") => Next | RewriteUrl | ", + ") => OnPreRoutingResult | ", "KibanaResponse", - " | Promise | Promise>" ], @@ -10789,15 +10915,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -10807,15 +10933,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -10825,15 +10951,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -10843,15 +10969,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -10861,15 +10987,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -10887,15 +11013,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -11003,7 +11129,9 @@ "type": "Uncategorized", "tags": [], "label": "context", - "description": [], + "description": [ + "{@link RequestHandlerContext } - the core context exposed for this request." + ], "signature": [ "Context" ], @@ -11016,7 +11144,9 @@ "type": "Object", "tags": [], "label": "request", - "description": [], + "description": [ + "{@link KibanaRequest } - object containing information about requested resource,\nsuch as path, method, headers, parameters, query, body, etc." + ], "signature": [ { "pluginId": "core", @@ -11036,7 +11166,9 @@ "type": "Uncategorized", "tags": [], "label": "response", - "description": [], + "description": [ + "{@link KibanaResponseFactory } - a set of helper functions used to respond to a request." + ], "signature": [ "ResponseFactory" ], @@ -11078,7 +11210,7 @@ "\nContext provider for request handler.\nExtends request context object with provided functionality or data.\n" ], "signature": [ - "(context: Pick>, request: ", + "(context: Omit, request: ", { "pluginId": "core", "scope": "server", @@ -11086,7 +11218,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -11108,15 +11248,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -11126,15 +11266,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -11144,15 +11284,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -11162,15 +11302,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -11180,15 +11320,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -11206,15 +11346,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -11295,7 +11435,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -11317,15 +11465,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -11335,15 +11483,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -11353,15 +11501,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -11371,15 +11519,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -11389,15 +11537,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -11415,15 +11563,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -11511,7 +11659,15 @@ "section": "def-server.RouteMethod", "text": "RouteMethod" }, - " = any, ResponseFactory extends { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " = any, ResponseFactory extends { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -11533,15 +11689,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -11551,15 +11707,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -11569,15 +11725,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -11587,15 +11743,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -11605,15 +11761,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -11631,15 +11787,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -11685,7 +11841,15 @@ }, ") => ", "KibanaResponse", - "; } = { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + "; } = { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -11707,15 +11871,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -11725,15 +11889,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -11743,15 +11907,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -11761,15 +11925,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -11779,15 +11943,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -11805,15 +11969,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -11980,7 +12144,15 @@ "\nError message and optional data send to the client in case of error." ], "signature": [ - "string | Error | { message: string | Error; attributes?: Record | undefined; }" + "string | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; }" ], "path": "src/core/server/http/router/response.ts", "deprecated": false, @@ -12044,7 +12216,21 @@ "\nThe set of common HTTP methods supported by Kibana routing." ], "signature": [ - "\"options\" | \"delete\" | \"get\" | \"post\" | \"put\" | \"patch\"" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.SafeRouteMethod", + "text": "SafeRouteMethod" + }, + " | ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.DestructiveRouteMethod", + "text": "DestructiveRouteMethod" + } ], "path": "src/core/server/http/router/route.ts", "deprecated": false, @@ -12076,7 +12262,15 @@ "section": "def-server.RequestHandler", "text": "RequestHandler" }, - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -12098,15 +12292,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -12116,15 +12310,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -12134,15 +12328,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -12152,15 +12346,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -12170,15 +12364,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -12196,15 +12390,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -12292,7 +12486,15 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", response: { custom: | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + ", response: { custom: | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { @@ -12314,15 +12516,15 @@ }, ") => ", "KibanaResponse", - "<", + "; unauthorized: (options?: ", + " | undefined; }>; unauthorized: (options?: ", { "pluginId": "core", "scope": "server", @@ -12332,15 +12534,15 @@ }, ") => ", "KibanaResponse", - "<", + "; forbidden: (options?: ", + " | undefined; }>; forbidden: (options?: ", { "pluginId": "core", "scope": "server", @@ -12350,15 +12552,15 @@ }, ") => ", "KibanaResponse", - "<", + "; notFound: (options?: ", + " | undefined; }>; notFound: (options?: ", { "pluginId": "core", "scope": "server", @@ -12368,15 +12570,15 @@ }, ") => ", "KibanaResponse", - "<", + "; conflict: (options?: ", + " | undefined; }>; conflict: (options?: ", { "pluginId": "core", "scope": "server", @@ -12386,15 +12588,15 @@ }, ") => ", "KibanaResponse", - "<", + "; customError: (options: ", + " | undefined; }>; customError: (options: ", { "pluginId": "core", "scope": "server", @@ -12412,15 +12614,15 @@ }, ">) => ", "KibanaResponse", - "<", + "; redirected: (options: ", + " | undefined; }>; redirected: (options: ", { "pluginId": "core", "scope": "server", @@ -12616,21 +12818,9 @@ "\nAllowed property validation options: either @kbn/config-schema validations or custom validation functions\n\nSee {@link RouteValidationFunction} for custom validation.\n" ], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, + "ObjectType", " | ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", " | ", { "pluginId": "core", @@ -12754,7 +12944,15 @@ "/**\n * Creates a response with defined status code and payload.\n * @param options - {@link CustomHttpResponseOptions} configures HTTP response parameters.\n */" ], "signature": [ - " | Error | { message: string | Error; attributes?: Record | undefined; } | Buffer | ", + " | Error | { message: string | Error; attributes?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.ResponseErrorAttributes", + "text": "ResponseErrorAttributes" + }, + " | undefined; } | Buffer | ", "Stream", " | undefined>(options: ", { diff --git a/api_docs/core_http.mdx b/api_docs/core_http.mdx index 8243172a2e0f96..ffd7056b4bdb9b 100644 --- a/api_docs/core_http.mdx +++ b/api_docs/core_http.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2326 | 15 | 1039 | 30 | +| 2326 | 15 | 997 | 32 | ## Client diff --git a/api_docs/core_saved_objects.json b/api_docs/core_saved_objects.json index a79e3d22bb7e63..ca71f710a1fae5 100644 --- a/api_docs/core_saved_objects.json +++ b/api_docs/core_saved_objects.json @@ -266,15 +266,7 @@ "\nSearch for objects\n" ], "signature": [ - "(options: Pick<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"page\" | \"perPage\" | \"sortField\" | \"search\" | \"searchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"preference\">) => Promise<", + "(options: SavedObjectsFindOptions) => Promise<", { "pluginId": "core", "scope": "public", @@ -295,15 +287,7 @@ "label": "options", "description": [], "signature": [ - "Pick<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"page\" | \"perPage\" | \"sortField\" | \"search\" | \"searchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"preference\">" + "SavedObjectsFindOptions" ], "path": "src/core/public/saved_objects/saved_objects_client.ts", "deprecated": false, @@ -839,15 +823,13 @@ "label": "client", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "public", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-public.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"bulkUpdate\">" + "section": "def-public.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/public/saved_objects/simple_saved_object.ts", "deprecated": false, @@ -1555,15 +1537,7 @@ }, ">; delete: (type: string, id: string, options?: ", "SavedObjectsDeleteOptions", - " | undefined) => Promise<{}>; find: (options: Pick<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"page\" | \"perPage\" | \"sortField\" | \"search\" | \"searchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"preference\">) => Promise<", + " | undefined) => Promise<{}>; find: (options: SavedObjectsFindOptions) => Promise<", { "pluginId": "core", "scope": "public", @@ -1761,15 +1735,7 @@ }, ">; delete: (type: string, id: string, options?: ", "SavedObjectsDeleteOptions", - " | undefined) => Promise<{}>; find: (options: Pick<", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"page\" | \"perPage\" | \"sortField\" | \"search\" | \"searchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"preference\">) => Promise<", + " | undefined) => Promise<{}>; find: (options: SavedObjectsFindOptions) => Promise<", { "pluginId": "core", "scope": "public", @@ -3026,15 +2992,15 @@ "\nReturns a {@link ISavedObjectsPointInTimeFinder} to help page through\nlarge sets of saved objects. We strongly recommend using this API for\nany `find` queries that might return more than 1000 saved objects,\nhowever this API is only intended for use in server-side \"batch\"\nprocessing of objects where you are collecting all objects in memory\nor streaming them back to the client.\n\nDo NOT use this API in a route handler to facilitate paging through\nsaved objects on the client-side unless you are streaming all of the\nresults back to the client at once. Because the returned generator is\nstateful, you cannot rely on subsequent http requests retrieving new\npages from the same Kibana server in multi-instance deployments.\n\nThe generator wraps calls to {@link SavedObjectsClient.find} and iterates\nover multiple pages of results using `_pit` and `search_after`. This will\nopen a new Point-In-Time (PIT), and continue paging until a set of\nresults is received that's smaller than the designated `perPage`.\n\nOnce you have retrieved all of the results you need, it is recommended\nto call `close()` to clean up the PIT and prevent Elasticsearch from\nconsuming resources unnecessarily. This is only required if you are\ndone iterating and have not yet paged through all of the results: the\nPIT will automatically be closed for you once you reach the last page\nof results, or if the underlying call to `find` fails for any reason.\n" ], "signature": [ - "(findOptions: Pick<", + "(findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -3063,15 +3029,13 @@ "label": "findOptions", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" + } ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false, @@ -4740,15 +4704,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -5174,15 +5138,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -5956,15 +5920,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -6392,15 +6356,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -8176,7 +8140,7 @@ "tags": [], "label": "counterFields", "description": [ - "- An array of field names to increment or an array of {@link SavedObjectsIncrementCounterField}" + "- An array of field names to increment or an array of {@link SavedObjectsIncrementCounterField }" ], "signature": [ "(string | ", @@ -8200,7 +8164,7 @@ "tags": [], "label": "options", "description": [ - "- {@link SavedObjectsIncrementCounterOptions}" + "- {@link SavedObjectsIncrementCounterOptions }" ], "signature": [ { @@ -8346,7 +8310,7 @@ "tags": [], "label": "options", "description": [ - "- {@link SavedObjectsClosePointInTimeOptions}" + "- {@link SavedObjectsClosePointInTimeOptions }" ], "signature": [ { @@ -8364,7 +8328,7 @@ } ], "returnComment": [ - "- {@link SavedObjectsClosePointInTimeResponse}" + "- {@link SavedObjectsClosePointInTimeResponse }" ] }, { @@ -8377,15 +8341,15 @@ "\nReturns a {@link ISavedObjectsPointInTimeFinder} to help page through\nlarge sets of saved objects. We strongly recommend using this API for\nany `find` queries that might return more than 1000 saved objects,\nhowever this API is only intended for use in server-side \"batch\"\nprocessing of objects where you are collecting all objects in memory\nor streaming them back to the client.\n\nDo NOT use this API in a route handler to facilitate paging through\nsaved objects on the client-side unless you are streaming all of the\nresults back to the client at once. Because the returned generator is\nstateful, you cannot rely on subsequent http requests retrieving new\npages from the same Kibana server in multi-instance deployments.\n\nThis generator wraps calls to {@link SavedObjectsRepository.find} and\niterates over multiple pages of results using `_pit` and `search_after`.\nThis will open a new Point-In-Time (PIT), and continue paging until a\nset of results is received that's smaller than the designated `perPage`.\n\nOnce you have retrieved all of the results you need, it is recommended\nto call `close()` to clean up the PIT and prevent Elasticsearch from\nconsuming resources unnecessarily. This is only required if you are\ndone iterating and have not yet paged through all of the results: the\nPIT will automatically be closed for you once you reach the last page\nof results, or if the underlying call to `find` fails for any reason.\n" ], "signature": [ - "(findOptions: Pick<", + "(findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -8414,15 +8378,13 @@ "label": "findOptions", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" - }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" + } ], "path": "src/core/server/saved_objects/service/lib/repository.ts", "deprecated": false, @@ -10380,7 +10342,14 @@ "The Elasticsearch Refresh setting for this operation" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false @@ -10851,15 +10820,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -11239,7 +11208,14 @@ "The Elasticsearch Refresh setting for this operation" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false @@ -11437,7 +11413,14 @@ "The Elasticsearch Refresh setting for this operation" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false @@ -11840,7 +11823,8 @@ "label": "sortOrder", "description": [], "signature": [ - "\"asc\" | \"desc\" | \"_doc\" | undefined" + "SearchSortOrder", + " | undefined" ], "path": "src/core/server/saved_objects/types.ts", "deprecated": false @@ -13219,7 +13203,14 @@ "\n(default='wait_for') The Elasticsearch refresh setting for this\noperation. See {@link MutatingOperationRefreshSetting}" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/lib/repository.ts", "deprecated": false @@ -13824,15 +13815,14 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", includedHiddenTypes?: string[] | undefined) => Pick<", + ", includedHiddenTypes?: string[] | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsRepository", - "text": "SavedObjectsRepository" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"deleteByNamespace\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"incrementCounter\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\">" + "section": "def-server.ISavedObjectsRepository", + "text": "ISavedObjectsRepository" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -13887,15 +13877,14 @@ "\nCreates a {@link ISavedObjectsRepository | Saved Objects repository} that\nuses the internal Kibana user for authenticating with Elasticsearch.\n" ], "signature": [ - "(includedHiddenTypes?: string[] | undefined) => Pick<", + "(includedHiddenTypes?: string[] | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsRepository", - "text": "SavedObjectsRepository" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"deleteByNamespace\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"incrementCounter\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\">" + "section": "def-server.ISavedObjectsRepository", + "text": "ISavedObjectsRepository" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14309,15 +14298,14 @@ "section": "def-server.SavedObjectsClientProviderOptions", "text": "SavedObjectsClientProviderOptions" }, - " | undefined) => Pick<", + " | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14385,15 +14373,14 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - ", includedHiddenTypes?: string[] | undefined) => Pick<", + ", includedHiddenTypes?: string[] | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsRepository", - "text": "SavedObjectsRepository" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"deleteByNamespace\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"incrementCounter\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\">" + "section": "def-server.ISavedObjectsRepository", + "text": "ISavedObjectsRepository" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14450,15 +14437,14 @@ "\nCreates a {@link ISavedObjectsRepository | Saved Objects repository} that\nuses the internal Kibana user for authenticating with Elasticsearch.\n" ], "signature": [ - "(includedHiddenTypes?: string[] | undefined) => Pick<", + "(includedHiddenTypes?: string[] | undefined) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsRepository", - "text": "SavedObjectsRepository" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"deleteByNamespace\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"incrementCounter\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\">" + "section": "def-server.ISavedObjectsRepository", + "text": "ISavedObjectsRepository" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14516,23 +14502,22 @@ "\nCreates an {@link ISavedObjectsExporter | exporter} bound to given client." ], "signature": [ - "(client: Pick<", + "(client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => Pick<", + ") => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsExporter", - "text": "SavedObjectsExporter" - }, - ", \"exportByTypes\" | \"exportByObjects\">" + "section": "def-server.ISavedObjectsExporter", + "text": "ISavedObjectsExporter" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14545,15 +14530,13 @@ "label": "client", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14572,23 +14555,22 @@ "\nCreates an {@link ISavedObjectsImporter | importer} bound to given client." ], "signature": [ - "(client: Pick<", + "(client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => Pick<", + ") => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsImporter", - "text": "SavedObjectsImporter" - }, - ", \"import\" | \"resolveImportErrors\">" + "section": "def-server.ISavedObjectsImporter", + "text": "ISavedObjectsImporter" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14601,15 +14583,13 @@ "label": "client", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -14628,15 +14608,14 @@ "\nReturns the {@link ISavedObjectTypeRegistry | registry} containing all registered\n{@link SavedObjectsType | saved object types}" ], "signature": [ - "() => Pick<", + "() => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectTypeRegistry", - "text": "SavedObjectTypeRegistry" - }, - ", \"getType\" | \"getVisibleTypes\" | \"getAllTypes\" | \"getImportableAndExportableTypes\" | \"isNamespaceAgnostic\" | \"isSingleNamespace\" | \"isMultiNamespace\" | \"isShareable\" | \"isHidden\" | \"getIndex\" | \"isImportableAndExportable\">" + "section": "def-server.ISavedObjectTypeRegistry", + "text": "ISavedObjectTypeRegistry" + } ], "path": "src/core/server/saved_objects/saved_objects_service.ts", "deprecated": false, @@ -15272,7 +15251,14 @@ "The Elasticsearch Refresh setting for this operation" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/lib/update_objects_spaces.ts", "deprecated": false @@ -15455,7 +15441,14 @@ "The Elasticsearch Refresh setting for this operation" ], "signature": [ - "boolean | \"wait_for\" | undefined" + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreSavedObjectsPluginApi", + "section": "def-server.MutatingOperationRefreshSetting", + "text": "MutatingOperationRefreshSetting" + }, + " | undefined" ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false @@ -15495,9 +15488,9 @@ "section": "def-server.SavedObjectsUpdateResponse", "text": "SavedObjectsUpdateResponse" }, - " extends Pick<", + " extends Omit<", "SavedObject", - ", \"version\" | \"type\" | \"id\" | \"namespaces\" | \"migrationVersion\" | \"coreMigrationVersion\" | \"error\" | \"updated_at\" | \"originId\">" + ", \"references\" | \"attributes\">" ], "path": "src/core/server/saved_objects/service/saved_objects_client.ts", "deprecated": false, @@ -15943,15 +15936,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -16430,15 +16423,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -16486,15 +16479,14 @@ "section": "def-server.KibanaRequest", "text": "KibanaRequest" }, - "; includedHiddenTypes?: string[] | undefined; }) => Pick<", + "; includedHiddenTypes?: string[] | undefined; }) => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/saved_objects/service/lib/scoped_client_provider.ts", "deprecated": false, @@ -16595,15 +16587,14 @@ "section": "def-server.SavedObjectsClientWrapperOptions", "text": "SavedObjectsClientWrapperOptions" }, - ") => Pick<", + ") => ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/core/server/saved_objects/service/lib/scoped_client_provider.ts", "deprecated": false, @@ -16659,9 +16650,11 @@ "label": "SavedObjectsCreatePointInTimeFinderOptions", "description": [], "signature": [ - "{ type: string | string[]; filter?: any; aggs?: Record | undefined; fields?: string[] | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | \"_doc\" | undefined; search?: string | undefined; searchFields?: string[] | undefined; rootSearchFields?: string[] | undefined; hasReference?: ", + "> | undefined; fields?: string[] | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: ", + "SearchSortOrder", + " | undefined; searchFields?: string[] | undefined; rootSearchFields?: string[] | undefined; hasReference?: ", { "pluginId": "core", "scope": "server", @@ -16759,97 +16752,8 @@ "\nDescribe a {@link SavedObjectsTypeMappingDefinition | saved object type mapping} field.\n\nPlease refer to {@link https://www.elastic.co/guide/en/elasticsearch/reference/current/mapping-types.html | elasticsearch documentation}\nFor the mapping documentation\n" ], "signature": [ - "(", - "MappingFlattenedProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingJoinProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingPercolatorProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingRankFeatureProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingRankFeaturesProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingConstantKeywordProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingFieldAliasProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingHistogramProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDenseVectorProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingAggregateMetricDoubleProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingObjectProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingNestedProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingSearchAsYouTypeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingTextProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingBinaryProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingBooleanProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDateProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDateNanosProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingKeywordProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingFloatNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingHalfFloatNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDoubleNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingIntegerNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingLongNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingShortNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingByteNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingUnsignedLongNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingScaledFloatNumberProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingLongRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingIpRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingIntegerRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingFloatRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDoubleRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingDateRangeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingGeoPointProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingGeoShapeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingCompletionProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingGenericProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingIpProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingMurmur3HashProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingShapeProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingTokenCountProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingVersionProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingWildcardProperty", - " & { dynamic?: false | \"strict\" | undefined; }) | (", - "MappingPointProperty", - " & { dynamic?: false | \"strict\" | undefined; })" + "MappingProperty", + " & { dynamic?: false | \"strict\" | undefined; }" ], "path": "src/core/server/saved_objects/mappings/types.ts", "deprecated": false, diff --git a/api_docs/core_saved_objects.mdx b/api_docs/core_saved_objects.mdx index 9caa4135dc40c6..4b2896af08f822 100644 --- a/api_docs/core_saved_objects.mdx +++ b/api_docs/core_saved_objects.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2326 | 15 | 1039 | 30 | +| 2326 | 15 | 997 | 32 | ## Client diff --git a/api_docs/custom_integrations.json b/api_docs/custom_integrations.json index 085e47662ffe00..0087d5f0efcb9b 100644 --- a/api_docs/custom_integrations.json +++ b/api_docs/custom_integrations.json @@ -117,7 +117,7 @@ "\nA HOC which supplies React.Suspense with a fallback component, and a `EuiErrorBoundary` to contain errors." ], "signature": [ - "

    (Component: React.ComponentType

    , fallback?: React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | null) => React.ForwardRefExoticComponent & React.RefAttributes>" + "

    (Component: React.ComponentType

    , fallback?: React.ReactElement> | null) => React.ForwardRefExoticComponent & React.RefAttributes>" ], "path": "src/plugins/custom_integrations/public/components/index.tsx", "deprecated": false, @@ -148,7 +148,7 @@ "A fallback component to render while things load; default is `EuiLoadingSpinner`" ], "signature": [ - "React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | null" + "React.ReactElement> | null" ], "path": "src/plugins/custom_integrations/public/components/index.tsx", "deprecated": false, @@ -460,7 +460,7 @@ "label": "registerCustomIntegration", "description": [], "signature": [ - "(customIntegration: Pick<", + "(customIntegration: Omit<", { "pluginId": "customIntegrations", "scope": "common", @@ -468,7 +468,7 @@ "section": "def-common.CustomIntegration", "text": "CustomIntegration" }, - ", \"shipper\" | \"id\" | \"title\" | \"description\" | \"uiInternalPath\" | \"isBeta\" | \"icons\" | \"categories\" | \"eprOverlap\">) => void" + ", \"type\">) => void" ], "path": "src/plugins/custom_integrations/server/types.ts", "deprecated": false, @@ -481,7 +481,7 @@ "label": "customIntegration", "description": [], "signature": [ - "Pick<", + "Omit<", { "pluginId": "customIntegrations", "scope": "common", @@ -489,7 +489,7 @@ "section": "def-common.CustomIntegration", "text": "CustomIntegration" }, - ", \"shipper\" | \"id\" | \"title\" | \"description\" | \"uiInternalPath\" | \"isBeta\" | \"icons\" | \"categories\" | \"eprOverlap\">" + ", \"type\">" ], "path": "src/plugins/custom_integrations/server/types.ts", "deprecated": false, diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index 75377c39d7fe4a..7dd1afb0bae45f 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -16,7 +16,7 @@ Contact [Fleet](https://github.com/orgs/elastic/teams/fleet) for questions regar **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 96 | 0 | 80 | 1 | diff --git a/api_docs/dashboard.json b/api_docs/dashboard.json index f423ae8824c93b..f4839b560271fb 100644 --- a/api_docs/dashboard.json +++ b/api_docs/dashboard.json @@ -1369,13 +1369,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/dashboard/public/types.ts", @@ -1630,7 +1624,25 @@ "label": "searchSource", "description": [], "signature": [ - "{ history: Record[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", + "{ create: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSource", + "text": "SearchSource" + }, + "; history: ", + "SearchRequest", + "[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", { "pluginId": "data", "scope": "common", @@ -1646,7 +1658,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; removeField: (field: K) => ", + "; removeField: (field: K) => ", { "pluginId": "data", "scope": "common", @@ -1678,7 +1698,7 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "; getField: (field: K, recurse?: boolean) => ", + "; getField: (field: K) => ", + ">(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -1694,15 +1714,23 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "[K]; create: () => ", + "[K]; getOwnField: ", + ">(field: K) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" + }, + "[K]; createCopy: () => ", { "pluginId": "data", "scope": "common", @@ -1718,15 +1746,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; setParent: (parent?: Pick<", + "; setParent: (parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -1801,8 +1829,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, "; serialize: () => { searchSourceJSON: string; references: ", "SavedObjectReference", @@ -1820,13 +1848,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts", "deprecated": false, @@ -1842,13 +1864,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts", @@ -1920,7 +1936,9 @@ "label": "controlGroupInput", "description": [], "signature": [ - "{ controlStyle?: \"twoLine\" | \"oneLine\" | undefined; panelsJSON?: string | undefined; } | undefined" + "{ controlStyle?: ", + "ControlStyle", + " | undefined; panelsJSON?: string | undefined; } | undefined" ], "path": "src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts", "deprecated": false @@ -2010,13 +2028,7 @@ "\nOptionally apply filers. NOTE: if given and used in conjunction with `dashboardId`, and the\nsaved dashboard has filters saved with it, this will _replace_ those filters." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/dashboard/public/url_generator.ts", @@ -2032,13 +2044,7 @@ "\nOptionally set a query. NOTE: if given and used in conjunction with `dashboardId`, and the\nsaved dashboard has a query saved with it, this will _replace_ that query." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/dashboard/public/url_generator.ts", @@ -2238,21 +2244,9 @@ "text": "RefreshInterval" }, " | undefined; filters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined; query?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined; useHash?: boolean | undefined; preserveSavedFilters?: boolean | undefined; viewMode?: ", { "pluginId": "embeddable", @@ -2316,7 +2310,7 @@ "section": "def-common.RawSavedDashboardPanel730ToLatest", "text": "RawSavedDashboardPanel730ToLatest" }, - ", \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\" | \"type\" | \"panelRefName\"> & { readonly id?: string | undefined; readonly type: string; }" + ", \"type\" | \"title\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\" | \"panelRefName\"> & { readonly id?: string | undefined; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -2364,6 +2358,16 @@ "path": "src/plugins/dashboard/public/dashboard_constants.ts", "deprecated": false }, + { + "parentPluginId": "dashboard", + "id": "def-public.DashboardConstants.PRINT_DASHBOARD_URL", + "type": "string", + "tags": [], + "label": "PRINT_DASHBOARD_URL", + "description": [], + "path": "src/plugins/dashboard/public/dashboard_constants.ts", + "deprecated": false + }, { "parentPluginId": "dashboard", "id": "def-public.DashboardConstants.ADD_EMBEDDABLE_ID", @@ -2548,10 +2552,6 @@ { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/public/overview/containers/overview_risky_host_links/use_risky_hosts_dashboard_links.tsx" - }, - { - "plugin": "securitySolution", - "path": "x-pack/plugins/security_solution/public/overview/containers/overview_cti_links/index.tsx" } ] }, @@ -2610,15 +2610,15 @@ "label": "findByValueEmbeddables", "description": [], "signature": [ - "(savedObjectClient: Pick, \"find\">, embeddableType: string) => Promise<{ [key: string]: ", + ", \"find\">, embeddableType: string) => Promise<{ [key: string]: ", { "pluginId": "@kbn/utility-types", "scope": "server", @@ -2639,15 +2639,15 @@ "label": "savedObjectClient", "description": [], "signature": [ - "Pick, \"find\">" + ", \"find\">" ], "path": "src/plugins/dashboard/server/usage/find_by_value_embeddables.ts", "deprecated": false, @@ -2720,9 +2720,9 @@ "RawSavedDashboardPanel610", " | ", "RawSavedDashboardPanel620", - " | Pick<", - "RawSavedDashboardPanel620", - ", \"panelIndex\" | \"name\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> | ", + " | ", + "RawSavedDashboardPanel640To720", + " | ", { "pluginId": "dashboard", "scope": "common", @@ -2789,9 +2789,9 @@ "RawSavedDashboardPanel610", " | ", "RawSavedDashboardPanel620", - " | Pick<", - "RawSavedDashboardPanel620", - ", \"panelIndex\" | \"name\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> | ", + " | ", + "RawSavedDashboardPanel640To720", + " | ", { "pluginId": "dashboard", "scope": "common", @@ -3029,9 +3029,9 @@ "label": "RawSavedDashboardPanel730ToLatest", "description": [], "signature": [ - "Pick, \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly type?: string | undefined; readonly name?: string | undefined; panelIndex: string; panelRefName?: string | undefined; }" + "Pick<", + "RawSavedDashboardPanel640To720", + ", \"title\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly type?: string | undefined; readonly name?: string | undefined; panelIndex: string; panelRefName?: string | undefined; }" ], "path": "src/plugins/dashboard/common/bwc/types.ts", "deprecated": false, @@ -3047,7 +3047,7 @@ "signature": [ "Pick<", "RawSavedDashboardPanel610", - ", \"columns\" | \"sort\" | \"panelIndex\" | \"title\" | \"gridData\" | \"version\"> & { readonly id: string; readonly type: string; }" + ", \"columns\" | \"title\" | \"sort\" | \"panelIndex\" | \"gridData\" | \"version\"> & { readonly id: string; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -3063,7 +3063,7 @@ "signature": [ "Pick<", "RawSavedDashboardPanel620", - ", \"columns\" | \"sort\" | \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" + ", \"columns\" | \"title\" | \"sort\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -3079,7 +3079,7 @@ "signature": [ "Pick<", "RawSavedDashboardPanel620", - ", \"columns\" | \"sort\" | \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" + ", \"columns\" | \"title\" | \"sort\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -3093,9 +3093,9 @@ "label": "SavedDashboardPanel640To720", "description": [], "signature": [ - "Pick, \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" + "Pick<", + "RawSavedDashboardPanel640To720", + ", \"title\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\"> & { readonly id: string; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -3117,7 +3117,7 @@ "section": "def-common.RawSavedDashboardPanel730ToLatest", "text": "RawSavedDashboardPanel730ToLatest" }, - ", \"panelIndex\" | \"title\" | \"gridData\" | \"version\" | \"embeddableConfig\" | \"type\" | \"panelRefName\"> & { readonly id?: string | undefined; readonly type: string; }" + ", \"type\" | \"title\" | \"panelIndex\" | \"gridData\" | \"version\" | \"embeddableConfig\" | \"panelRefName\"> & { readonly id?: string | undefined; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, @@ -3133,7 +3133,7 @@ "signature": [ "Pick<", "RawSavedDashboardPanelTo60", - ", \"columns\" | \"sort\" | \"size_x\" | \"size_y\" | \"row\" | \"col\" | \"panelIndex\" | \"title\"> & { readonly id: string; readonly type: string; }" + ", \"columns\" | \"title\" | \"sort\" | \"size_x\" | \"size_y\" | \"row\" | \"col\" | \"panelIndex\"> & { readonly id: string; readonly type: string; }" ], "path": "src/plugins/dashboard/common/types.ts", "deprecated": false, diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index 26e4609765aafc..b65358ee19642e 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 153 | 0 | 140 | 12 | +| 154 | 0 | 141 | 13 | ## Client diff --git a/api_docs/dashboard_enhanced.json b/api_docs/dashboard_enhanced.json index 92bdfbc11b3f67..c03b62beca16ec 100644 --- a/api_docs/dashboard_enhanced.json +++ b/api_docs/dashboard_enhanced.json @@ -489,15 +489,7 @@ "label": "start", "description": [], "signature": [ - "() => ", - { - "pluginId": "kibanaUtils", - "scope": "public", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-public.StartServices", - "text": "StartServices" - }, - "<{ uiActionsEnhanced: ", + "() => StartServices<{ uiActionsEnhanced: ", { "pluginId": "uiActionsEnhanced", "scope": "public", diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index e14d138cb43ae9..f828151690529a 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 51 | 0 | 50 | 0 | diff --git a/api_docs/data.json b/api_docs/data.json index 343f61fe670c90..6ed1326bcb218e 100644 --- a/api_docs/data.json +++ b/api_docs/data.json @@ -240,31 +240,13 @@ "label": "opts", "description": [], "signature": [ - "Pick & Pick<{ type: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">" + "section": "def-common.AggConfigOptions", + "text": "AggConfigOptions" + } ], "path": "src/plugins/data/common/search/aggs/agg_config.ts", "deprecated": false, @@ -485,15 +467,15 @@ "\n Hook for pre-flight logic, see AggType#onSearchRequestStart" ], "signature": [ - "(searchSource: Pick<", + "(searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">, options?: ", + ", options?: ", { "pluginId": "data", "scope": "common", @@ -514,15 +496,13 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/aggs/agg_config.ts", "deprecated": false, @@ -827,6 +807,21 @@ ], "returnComment": [] }, + { + "parentPluginId": "data", + "id": "def-public.AggConfig.getResponseId", + "type": "Function", + "tags": [], + "label": "getResponseId", + "description": [], + "signature": [ + "() => string" + ], + "path": "src/plugins/data/common/search/aggs/agg_config.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, { "parentPluginId": "data", "id": "def-public.AggConfig.getKey", @@ -1307,31 +1302,14 @@ "label": "configStates", "description": [], "signature": [ - "Pick & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: string | ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">[]" + "[]" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -1552,31 +1530,15 @@ "section": "def-common.AggConfig", "text": "AggConfig" }, - ">(params: Pick & Pick<{ type: string | ", + ">(params: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, \"type\"> & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">, { addToAggConfigs }?: { addToAggConfigs?: boolean | undefined; }) => T" + ", { addToAggConfigs }?: { addToAggConfigs?: boolean | undefined; }) => T" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -1589,31 +1551,13 @@ "label": "params", "description": [], "signature": [ - "Pick & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: string | ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" + } ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -2027,14 +1971,8 @@ "description": [], "signature": [ "(forceNow?: Date | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - "[] | { meta: { index: string | undefined; params: {}; alias: string; disabled: boolean; negate: boolean; }; query: { bool: { should: { bool: { filter: { range: { [x: string]: { gte: string; lte: string; }; }; }[]; }; }[]; minimum_should_match: number; }; }; }[]" + "RangeFilter", + "[] | { meta: { index: string | undefined; params: {}; alias: string; disabled: boolean; negate: boolean; }; query: { bool: { should: { bool: { filter: { range: { [x: string]: { format: string; gte: string; lte: string; }; }; }[]; }; }[]; minimum_should_match: number; }; }; }[]" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -2226,15 +2164,15 @@ "label": "onSearchRequestStart", "description": [], "signature": [ - "(searchSource: Pick<", + "(searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">, options?: ", + ", options?: ", { "pluginId": "data", "scope": "common", @@ -2255,15 +2193,13 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -2773,12 +2709,24 @@ "path": "src/plugins/data_views/common/index.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts" }, { "plugin": "visTypeTimeseries", @@ -2789,12 +2737,12 @@ "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { "plugin": "discover", @@ -3194,79 +3142,79 @@ }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", @@ -3292,6 +3240,14 @@ "plugin": "apm", "path": "x-pack/plugins/apm/public/components/app/RumDashboard/LocalUIFilters/SelectedFilters.tsx" }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, { "plugin": "lens", "path": "x-pack/plugins/lens/server/routes/existing_fields.ts" @@ -4034,67 +3990,67 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", @@ -4264,6 +4220,14 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/components/search_bar.tsx" @@ -5751,19 +5715,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", @@ -5803,19 +5767,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", @@ -5863,31 +5827,31 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", @@ -6746,14 +6710,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -6977,7 +6933,8 @@ "label": "history", "description": [], "signature": [ - "Record[]" + "SearchRequest", + "[]" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false @@ -7082,7 +7039,15 @@ "\nsets value to a single search source field" ], "signature": [ - "(field: K, value: ", + "(field: K, value: ", { "pluginId": "data", "scope": "common", @@ -7147,7 +7112,15 @@ "\nremove field" ], "signature": [ - "(field: K) => this" + "(field: K) => this" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false, @@ -7272,7 +7245,15 @@ "\nGets a single field from the fields" ], "signature": [ - "(field: K, recurse?: boolean) => ", + "(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -7326,7 +7307,15 @@ "\nGet the field from our own fields, don't traverse up the chain" ], "signature": [ - "(field: K) => ", + "(field: K) => ", { "pluginId": "data", "scope": "common", @@ -7465,15 +7454,15 @@ "\nSet a searchSource that this source should inherit from" ], "signature": [ - "(parent?: Pick<", + "(parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -7496,15 +7485,14 @@ "- the parent searchSource" ], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false, @@ -7820,8 +7808,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/search_source.ts", @@ -7879,13 +7867,7 @@ "description": [], "signature": [ "(esType: string) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/data/common/kbn_field_types/index.ts", "deprecated": true, @@ -7909,7 +7891,7 @@ "tags": [], "label": "esType", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false } ], @@ -7928,18 +7910,18 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, ") => [", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, - " & { indexRefName?: string | undefined; }, ", + ", ", "SavedObjectReference", "[]]" ], @@ -7958,8 +7940,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/extract_references.ts", @@ -8046,13 +8028,7 @@ "description": [], "signature": [ "(config: KibanaConfig) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - } + "EsQueryConfig" ], "path": "src/plugins/data/common/es_query/get_es_query_config.ts", "deprecated": false, @@ -8112,7 +8088,9 @@ "label": "getSearchParamsFromRequest", "description": [], "signature": [ - "(searchRequest: Record, dependencies: { getConfig: ", + "(searchRequest: ", + "SearchRequest", + ", dependencies: { getConfig: ", { "pluginId": "data", "scope": "common", @@ -8140,7 +8118,7 @@ "label": "searchRequest", "description": [], "signature": [ - "Record" + "SearchRequest" ], "path": "src/plugins/data/common/search/search_source/fetch/get_search_params.ts", "deprecated": false, @@ -8226,24 +8204,10 @@ "text": "TimeRange" }, ", options: { forceNow?: Date | undefined; fieldName?: string | undefined; } | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined" + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined" ], "path": "src/plugins/data/common/query/timefilter/get_time.ts", "deprecated": false, @@ -8344,8 +8308,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " & { indexRefName: string; }, references: ", "SavedObjectReference", @@ -8354,8 +8318,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/inject_references.ts", @@ -8373,8 +8337,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " & { indexRefName: string; }" ], @@ -8508,13 +8472,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -8532,7 +8490,7 @@ "signature": [ "unknown" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -8549,13 +8507,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -8583,7 +8535,7 @@ "signature": [ "unknown" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -8646,13 +8598,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/common/query/is_query.ts", "deprecated": false, @@ -8726,8 +8672,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/parse_json.ts", @@ -8780,114 +8726,170 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggFilter\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ geo_bounding_box?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", + ", ", { - "pluginId": "data", + "pluginId": "expressions", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" }, - "; bottom_right: ", + "<", { - "pluginId": "data", + "pluginId": "inspector", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", + ", ", { - "pluginId": "data", + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggFilters", + "type": "Object", + "tags": [], + "label": "aggFilters", + "description": [], + "signature": [ + { + "pluginId": "expressions", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "; bottom_left: ", + "<\"aggFilters\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; filter?: ", + ", ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" }, - "<\"kibana_query\", ", + "<", { - "pluginId": "@kbn/es-query", + "pluginId": "inspector", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" }, - "> | undefined; }, \"filter\" | \"geo_bounding_box\"> & Pick<{ geo_bounding_box?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", + ", ", { - "pluginId": "data", + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggSignificantTerms", + "type": "Object", + "tags": [], + "label": "aggSignificantTerms", + "description": [], + "signature": [ + { + "pluginId": "expressions", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "; bottom_right: ", + "<\"aggSignificantTerms\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", + ", ", { - "pluginId": "data", + "pluginId": "expressions", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" }, - "; bottom_left: ", + "<", { - "pluginId": "data", + "pluginId": "inspector", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; filter?: ", + ", ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggIpRange", + "type": "Object", + "tags": [], + "label": "aggIpRange", + "description": [], + "signature": [ { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "<\"kibana_query\", ", + "<\"aggIpRange\", any, Arguments, ", { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "> | undefined; }, never>, \"filter\" | \"id\" | \"enabled\" | \"schema\" | \"geo_bounding_box\" | \"json\" | \"customLabel\" | \"timeShift\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -8919,10 +8921,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggFilters", + "id": "def-public.AggFunctionsMapping.aggDateRange", "type": "Object", "tags": [], - "label": "aggFilters", + "label": "aggDateRange", "description": [], "signature": [ { @@ -8932,50 +8934,118 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggFilters\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"timeShift\"> & Pick<{ filters?: ", + ", ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" + }, + "<", + { + "pluginId": "inspector", + "scope": "common", + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" }, - "<\"kibana_query_filter\", ", + ", ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggRange", + "type": "Object", + "tags": [], + "label": "aggRange", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" + }, + "<\"aggRange\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, + ", ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" + }, + "<", + { + "pluginId": "inspector", + "scope": "common", + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" + }, + ", ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" }, - ">[] | undefined; }, \"filters\"> & Pick<{ filters?: ", + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggGeoTile", + "type": "Object", + "tags": [], + "label": "aggGeoTile", + "description": [], + "signature": [ { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "<\"kibana_query_filter\", ", + "<\"aggGeoTile\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, never>, \"filters\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"timeShift\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9007,10 +9077,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggSignificantTerms", + "id": "def-public.AggFunctionsMapping.aggGeoHash", "type": "Object", "tags": [], - "label": "aggSignificantTerms", + "label": "aggGeoHash", "description": [], "signature": [ { @@ -9020,18 +9090,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSignificantTerms\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoHash\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.BUCKET_TYPES", - "text": "BUCKET_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SIGNIFICANT_TERMS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9063,10 +9129,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggIpRange", + "id": "def-public.AggFunctionsMapping.aggHistogram", "type": "Object", "tags": [], - "label": "aggIpRange", + "label": "aggHistogram", "description": [], "signature": [ { @@ -9076,82 +9142,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggIpRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\"> & Pick<{ ranges?: (", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "<\"cidr\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.Cidr", - "text": "Cidr" - }, - "> | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ip_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IpRange", - "text": "IpRange" - }, - ">)[] | undefined; ipRangeType?: string | undefined; }, \"ipRangeType\" | \"ranges\"> & Pick<{ ranges?: (", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"cidr\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.Cidr", - "text": "Cidr" - }, - "> | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ip_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IpRange", - "text": "IpRange" - }, - ">)[] | undefined; ipRangeType?: string | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ipRangeType\" | \"ranges\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9183,10 +9181,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggDateRange", + "id": "def-public.AggFunctionsMapping.aggDateHistogram", "type": "Object", "tags": [], - "label": "aggDateRange", + "label": "aggDateHistogram", "description": [], "signature": [ { @@ -9196,50 +9194,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDateRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"date_range\", ", + "<\"aggDateHistogram\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.DateRange", - "text": "DateRange" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, \"ranges\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"date_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.DateRange", - "text": "DateRange" - }, - ">[] | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ranges\" | \"time_zone\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9271,10 +9233,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggRange", + "id": "def-public.AggFunctionsMapping.aggTerms", "type": "Object", "tags": [], - "label": "aggRange", + "label": "aggTerms", "description": [], "signature": [ { @@ -9284,50 +9246,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"numerical_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.NumericalRange", - "text": "NumericalRange" - }, - ">[] | undefined; }, \"ranges\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"numerical_range\", ", + "<\"aggTerms\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.NumericalRange", - "text": "NumericalRange" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ranges\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9359,10 +9285,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggGeoTile", + "id": "def-public.AggFunctionsMapping.aggMultiTerms", "type": "Object", "tags": [], - "label": "aggGeoTile", + "label": "aggMultiTerms", "description": [], "signature": [ { @@ -9372,18 +9298,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoTile\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMultiTerms\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.BUCKET_TYPES", - "text": "BUCKET_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEOTILE_GRID>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9415,10 +9337,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggGeoHash", + "id": "def-public.AggFunctionsMapping.aggAvg", "type": "Object", "tags": [], - "label": "aggGeoHash", + "label": "aggAvg", "description": [], "signature": [ { @@ -9428,82 +9350,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoHash\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"autoPrecision\" | \"precision\" | \"useGeocentroid\" | \"isFilteredByCollar\"> & Pick<{ boundingBox?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", + "<\"aggAvg\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; }, \"boundingBox\"> & Pick<{ boundingBox?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"autoPrecision\" | \"precision\" | \"useGeocentroid\" | \"isFilteredByCollar\" | \"boundingBox\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9535,10 +9389,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggHistogram", + "id": "def-public.AggFunctionsMapping.aggBucketAvg", "type": "Object", "tags": [], - "label": "aggHistogram", + "label": "aggBucketAvg", "description": [], "signature": [ { @@ -9548,50 +9402,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggHistogram\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"interval\" | \"used_interval\" | \"maxBars\" | \"intervalBase\" | \"min_doc_count\" | \"has_extended_bounds\"> & Pick<{ extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" - }, - "> | undefined; }, \"extended_bounds\"> & Pick<{ extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", + "<\"aggBucketAvg\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "> | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"interval\" | \"used_interval\" | \"maxBars\" | \"intervalBase\" | \"min_doc_count\" | \"has_extended_bounds\" | \"extended_bounds\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9623,10 +9441,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggDateHistogram", + "id": "def-public.AggFunctionsMapping.aggBucketMax", "type": "Object", "tags": [], - "label": "aggDateHistogram", + "label": "aggBucketMax", "description": [], "signature": [ { @@ -9636,82 +9454,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDateHistogram\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\" | \"interval\" | \"used_interval\" | \"min_doc_count\" | \"useNormalizedEsInterval\" | \"scaleMetricValues\" | \"used_time_zone\" | \"drop_partials\" | \"format\"> & Pick<{ timeRange?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"timerange\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataQueryPluginApi", - "section": "def-common.TimeRange", - "text": "TimeRange" - }, - "> | undefined; extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" - }, - "> | undefined; }, \"extended_bounds\" | \"timeRange\"> & Pick<{ timeRange?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"timerange\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataQueryPluginApi", - "section": "def-common.TimeRange", - "text": "TimeRange" - }, - "> | undefined; extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", + "<\"aggBucketMax\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "> | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\" | \"interval\" | \"used_interval\" | \"min_doc_count\" | \"extended_bounds\" | \"timeRange\" | \"useNormalizedEsInterval\" | \"scaleMetricValues\" | \"used_time_zone\" | \"drop_partials\" | \"format\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9743,10 +9493,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggTerms", + "id": "def-public.AggFunctionsMapping.aggBucketMin", "type": "Object", "tags": [], - "label": "aggTerms", + "label": "aggBucketMin", "description": [], "signature": [ { @@ -9756,22 +9506,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggTerms\", any, Pick, \"size\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"orderBy\" | \"order\" | \"missingBucket\" | \"missingBucketLabel\" | \"otherBucket\" | \"otherBucketLabel\" | \"exclude\" | \"include\"> & Pick<{ orderAgg?: ", - "AggExpressionType", - " | undefined; }, \"orderAgg\"> & Pick<{ orderAgg?: ", - "AggExpressionType", - " | undefined; }, never>, \"size\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"orderBy\" | \"orderAgg\" | \"order\" | \"missingBucket\" | \"missingBucketLabel\" | \"otherBucket\" | \"otherBucketLabel\" | \"exclude\" | \"include\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -9803,10 +9545,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggAvg", + "id": "def-public.AggFunctionsMapping.aggBucketSum", "type": "Object", "tags": [], - "label": "aggAvg", + "label": "aggBucketSum", "description": [], "signature": [ { @@ -9816,18 +9558,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggAvg\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggBucketSum\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".AVG>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -9859,10 +9597,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggBucketAvg", + "id": "def-public.AggFunctionsMapping.aggFilteredMetric", "type": "Object", "tags": [], - "label": "aggBucketAvg", + "label": "aggFilteredMetric", "description": [], "signature": [ { @@ -9872,26 +9610,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketAvg\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -9923,10 +9649,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggBucketMax", + "id": "def-public.AggFunctionsMapping.aggCardinality", "type": "Object", "tags": [], - "label": "aggBucketMax", + "label": "aggCardinality", "description": [], "signature": [ { @@ -9936,26 +9662,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketMax\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -9987,10 +9701,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggBucketMin", + "id": "def-public.AggFunctionsMapping.aggCount", "type": "Object", "tags": [], - "label": "aggBucketMin", + "label": "aggCount", "description": [], "signature": [ { @@ -10000,26 +9714,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketMin\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -10051,10 +9753,10 @@ }, { "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggBucketSum", + "id": "def-public.AggFunctionsMapping.aggCumulativeSum", "type": "Object", "tags": [], - "label": "aggBucketSum", + "label": "aggCumulativeSum", "description": [], "signature": [ { @@ -10064,262 +9766,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketSum\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", - "scope": "common", - "docId": "kibInspectorPluginApi", - "section": "def-common.Adapters", - "text": "Adapters" - }, - ", ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ">>" - ], - "path": "src/plugins/data/common/search/aggs/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggFilteredMetric", - "type": "Object", - "tags": [], - "label": "aggFilteredMetric", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" - }, - "<\"aggFilteredMetric\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", - "scope": "common", - "docId": "kibInspectorPluginApi", - "section": "def-common.Adapters", - "text": "Adapters" - }, - ", ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ">>" - ], - "path": "src/plugins/data/common/search/aggs/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggCardinality", - "type": "Object", - "tags": [], - "label": "aggCardinality", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" - }, - "<\"aggCardinality\", any, ", - "AggExpressionFunctionArgs", - "<", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" - }, - ".CARDINALITY>, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", - "scope": "common", - "docId": "kibInspectorPluginApi", - "section": "def-common.Adapters", - "text": "Adapters" - }, - ", ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ">>" - ], - "path": "src/plugins/data/common/search/aggs/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggCount", - "type": "Object", - "tags": [], - "label": "aggCount", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" - }, - "<\"aggCount\", any, ", - "AggExpressionFunctionArgs", - "<", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" - }, - ".COUNT>, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", - "scope": "common", - "docId": "kibInspectorPluginApi", - "section": "def-common.Adapters", - "text": "Adapters" - }, - ", ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ">>" - ], - "path": "src/plugins/data/common/search/aggs/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggCumulativeSum", - "type": "Object", - "tags": [], - "label": "aggCumulativeSum", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" - }, - "<\"aggCumulativeSum\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -10364,22 +9818,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDerivative\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -10424,18 +9870,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoBounds\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoBounds\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEO_BOUNDS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10480,18 +9922,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoCentroid\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoCentroid\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEO_CENTROID>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10536,18 +9974,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMax\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMax\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MAX>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10592,18 +10026,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMedian\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMedian\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MEDIAN>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10648,18 +10078,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSinglePercentile\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSinglePercentile\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SINGLE_PERCENTILE>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10704,18 +10130,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMin\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMin\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MIN>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10760,22 +10182,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMovingAvg\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\" | \"window\" | \"script\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\" | \"window\" | \"script\">, ", - "AggExpressionType", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, ", ", { "pluginId": "expressions", @@ -10820,18 +10234,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggPercentileRanks\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggPercentileRanks\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".PERCENTILE_RANKS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10876,18 +10286,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggPercentiles\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggPercentiles\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".PERCENTILES>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -10932,78 +10338,66 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSerialDiff\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", - "scope": "common", - "docId": "kibInspectorPluginApi", - "section": "def-common.Adapters", - "text": "Adapters" - }, - ", ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ">>" - ], - "path": "src/plugins/data/common/search/aggs/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-public.AggFunctionsMapping.aggStdDeviation", - "type": "Object", - "tags": [], - "label": "aggStdDeviation", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" - }, - "<\"aggStdDeviation\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSerialDiff\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" + }, + ", ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" + }, + "<", + { + "pluginId": "inspector", + "scope": "common", + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" + }, + ", ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.AggFunctionsMapping.aggStdDeviation", + "type": "Object", + "tags": [], + "label": "aggStdDeviation", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" + }, + "<\"aggStdDeviation\", any, AggArgs, ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".STD_DEV>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -11048,18 +10442,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSum\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSum\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SUM>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -11104,18 +10494,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggTopHit\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggTopHit\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".TOP_HITS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -11243,13 +10629,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/actions/apply_filter_action.ts", @@ -11317,16 +10697,8 @@ "label": "createFiltersFromValueClickAction", "description": [], "signature": [ - "({ data, negate, }: ", - "ValueClickDataContext", - ") => Promise<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "({ data, negate, }: ValueClickDataContext) => Promise<", + "Filter", "[]>" ], "path": "src/plugins/data/public/types.ts", @@ -11356,16 +10728,8 @@ "label": "createFiltersFromRangeSelectAction", "description": [], "signature": [ - "(event: ", - "RangeSelectDataContext", - ") => Promise<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "(event: RangeSelectDataContext) => Promise<", + "Filter", "[]>" ], "path": "src/plugins/data/public/types.ts", @@ -11547,6 +10911,20 @@ ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-public.GetFieldsOptions.filter", + "type": "Object", + "tags": [], + "label": "filter", + "description": [], + "signature": [ + "QueryDslQueryContainer", + " | undefined" + ], + "path": "src/plugins/data_views/common/types.ts", + "deprecated": false } ], "initialIsOpen": false @@ -11797,13 +11175,7 @@ "text": "IFieldType" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/fields/types.ts", "deprecated": true, @@ -11869,18 +11241,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/data_views/data_view.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" @@ -11893,126 +11253,6 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" @@ -12065,78 +11305,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/single_field_select.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" @@ -12145,38 +11313,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/utils.ts" @@ -12257,6 +11393,18 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/expressions/boundary_index_expression.tsx" }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, { "plugin": "dataViews", "path": "src/plugins/data_views/common/utils.test.ts" @@ -12556,13 +11704,7 @@ "text": "IIndexPattern" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": true, @@ -13276,6 +12418,32 @@ "description": [ "\nhigh level search service" ], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.ISearchStartSearchSource", + "text": "ISearchStartSearchSource" + }, + " extends ", + { + "pluginId": "kibanaUtils", + "scope": "common", + "docId": "kibKibanaUtilsPluginApi", + "section": "def-common.PersistableStateService", + "text": "PersistableStateService" + }, + "<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + ">" + ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, "children": [ @@ -13294,18 +12462,18 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, - " | undefined) => Promise Promise<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">>" + ">" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, @@ -13322,8 +12490,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " | undefined" ], @@ -13344,15 +12512,14 @@ "\ncreates empty {@link SearchSource}" ], "signature": [ - "() => Pick<", + "() => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, @@ -13487,13 +12654,7 @@ "\n{@link Query}" ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", @@ -13509,37 +12670,13 @@ "\n{@link Filter}" ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | (() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined) | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", @@ -13555,55 +12692,22 @@ "\n{@link EsQuerySortValue}" ], "signature": [ - "Record | Record[] | undefined" + "[] | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false @@ -13704,7 +12808,9 @@ "label": "source", "description": [], "signature": [ - "string | boolean | string[] | undefined" + "boolean | ", + "Fields", + " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false @@ -13756,7 +12862,8 @@ "\nRetreive fields directly from _source (legacy behavior)\n" ], "signature": [ - "string | string[] | undefined" + "Fields", + " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": true, @@ -13880,7 +12987,15 @@ "label": "aggs", "description": [], "signature": [ - "Record> | undefined" + "Record | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -13921,7 +13036,7 @@ "tags": [], "label": "ES_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -13951,7 +13066,7 @@ "tags": [], "label": "KBN_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -14053,7 +13168,7 @@ "label": "AggGroupName", "description": [], "signature": [ - "\"buckets\" | \"metrics\" | \"none\"" + "\"none\" | \"buckets\" | \"metrics\"" ], "path": "src/plugins/data/common/search/aggs/agg_groups.ts", "deprecated": false, @@ -14182,40 +13297,30 @@ "section": "def-common.IndexPattern", "text": "IndexPattern" }, - ", configStates?: Pick & Pick<{ type: string | ", + ", configStates?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, \"type\"> & Pick<{ type: string | ", + "[] | undefined) => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.AggConfigs", + "text": "AggConfigs" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">[] | undefined) => ", + "; types: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.AggConfigs", - "text": "AggConfigs" + "section": "def-common.AggTypesRegistryStart", + "text": "AggTypesRegistryStart" }, - "; types: ", - "AggTypesRegistryStart", "; }" ], "path": "src/plugins/data/common/search/aggs/types.ts", @@ -14247,21 +13352,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -14322,15 +13415,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -14346,7 +13433,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -14370,7 +13465,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -14394,15 +13497,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -14543,13 +13646,7 @@ "label": "EsQueryConfig", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " & { allowLeadingWildcards: boolean; queryStringOptions: ", { "pluginId": "@kbn/utility-types", @@ -14622,29 +13719,11 @@ "description": [], "signature": [ "{ filters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined; query?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[] | undefined; timeRange?: ", { "pluginId": "data", @@ -14669,21 +13748,9 @@ "label": "ExistsFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " & { meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query: { exists?: { field: string; } | undefined; }; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -14716,23 +13783,23 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"kibana\", Input, object, ", + "<\"kibana\", ", { - "pluginId": "expressions", + "pluginId": "data", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + " | null, object, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -14777,23 +13844,23 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"kibana_context\", Input, Arguments, Promise<", + "<\"kibana_context\", ", { - "pluginId": "expressions", + "pluginId": "data", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + " | null, Arguments, Promise<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -14855,21 +13922,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -14968,18 +14023,6 @@ "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context.ts" }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/application/lib/filter_utils.ts" @@ -15104,54 +14147,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, { "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" @@ -15160,282 +14155,6 @@ "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, { "plugin": "dashboardEnhanced", "path": "x-pack/plugins/dashboard_enhanced/public/services/drilldowns/embeddable_to_dashboard_drilldown/embeddable_to_dashboard_drilldown.tsx" @@ -15468,22 +14187,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/url_drilldown.tsx" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, { "plugin": "discoverEnhanced", "path": "x-pack/plugins/discover_enhanced/public/actions/explore_data/explore_data_chart_action.test.ts" @@ -15504,162 +14207,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/test/data.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.test.ts" @@ -15700,38 +14247,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/vis_controller.tsx" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" @@ -15740,30 +14255,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, { "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" @@ -15788,22 +14279,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context_state.test.ts" @@ -15840,6 +14315,14 @@ "plugin": "discover", "path": "src/plugins/discover/public/embeddable/saved_search_embeddable.tsx" }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, { "plugin": "maps", "path": "x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts" @@ -15928,42 +14411,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/public/legacy_visualizations/tile_map/tile_map_visualization.tsx" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/public/classes/util/can_skip_fetch.test.ts" @@ -15999,22 +14446,6 @@ { "plugin": "maps", "path": "x-pack/plugins/maps/target/types/public/routes/map_page/map_app/map_app.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" } ], "initialIsOpen": false @@ -16140,9 +14571,7 @@ "label": "IFieldSubType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional" + "IFieldSubTypeMultiOptional | IFieldSubTypeNestedOptional" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -16204,30 +14633,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/index.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx" @@ -16299,6 +14704,30 @@ { "plugin": "discover", "path": "src/plugins/discover/public/application/main/discover_main_route.tsx" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" } ], "initialIsOpen": false @@ -16466,15 +14895,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -16490,7 +14913,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -16514,7 +14945,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -16538,15 +14977,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -16791,11 +15230,11 @@ }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "stackAlerts", @@ -17021,14 +15460,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/index.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" - }, { "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts" @@ -17060,6 +15491,14 @@ { "plugin": "dataViewEditor", "path": "src/plugins/data_view_editor/public/components/data_view_flyout_content_container.tsx" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" } ], "initialIsOpen": false @@ -17166,7 +15605,25 @@ "\nsearch source interface" ], "signature": [ - "{ history: Record[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", + "{ create: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSource", + "text": "SearchSource" + }, + "; history: ", + "SearchRequest", + "[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", { "pluginId": "data", "scope": "common", @@ -17182,7 +15639,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; removeField: (field: K) => ", + "; removeField: (field: K) => ", { "pluginId": "data", "scope": "common", @@ -17214,7 +15679,7 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "; getField: (field: K, recurse?: boolean) => ", + "; getField: (field: K) => ", + ">(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -17230,15 +15695,23 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "[K]; create: () => ", + "[K]; getOwnField: (field: K) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" }, - "; createCopy: () => ", + "[K]; createCopy: () => ", { "pluginId": "data", "scope": "common", @@ -17254,15 +15727,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; setParent: (parent?: Pick<", + "; setParent: (parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -17337,8 +15810,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, "; serialize: () => { searchSourceJSON: string; references: ", "SavedObjectReference", @@ -17455,16 +15928,8 @@ "label": "MatchAllFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "MatchAllFilterMeta", - "; query: { match_all: ", + "Filter", + " & { meta: MatchAllFilterMeta; query: { match_all: ", "QueryDslMatchAllQuery", "; }; }" ], @@ -17500,16 +15965,8 @@ "label": "PhraseFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "PhraseFilterMeta", - "; query: { match_phrase?: Partial> | undefined; match?: Partial ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18318,7 +16789,7 @@ "tags": [], "label": "isPinned", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18331,7 +16802,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18345,31 +16816,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", params: ", - "PhraseFilterValue", - "[], indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", params: PhraseFilterValue[], indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhrasesFilter", - "text": "PhrasesFilter" - } + "PhrasesFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18383,15 +16834,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18402,10 +16847,9 @@ "label": "params", "description": [], "signature": [ - "PhraseFilterValue", - "[]" + "PhraseFilterValue[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18416,15 +16860,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18438,29 +16876,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ExistsFilter", - "text": "ExistsFilter" - } + "ExistsFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18474,15 +16894,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18493,15 +16907,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18515,39 +16923,13 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", value: ", - "PhraseFilterValue", - ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", value: PhraseFilterValue, indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - } + "ScriptedPhraseFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18561,15 +16943,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18582,7 +16958,7 @@ "signature": [ "string | number | boolean" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18593,15 +16969,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18615,13 +16985,7 @@ "description": [], "signature": [ "(query: (Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined, index: string, alias: string) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.QueryStringFilter", - "text": "QueryStringFilter" - } + "QueryStringFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18637,7 +17001,7 @@ "signature": [ "(Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18647,7 +17011,7 @@ "tags": [], "label": "index", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18657,7 +17021,7 @@ "tags": [], "label": "alias", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18671,47 +17035,16 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", params: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - }, + "RangeFilterParams", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ", formattedValue?: string | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter" + "ScriptedRangeFilter", + " | MatchAllRangeFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18725,15 +17058,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18744,15 +17071,9 @@ "label": "params", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - } + "RangeFilterParams" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18763,15 +17084,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -18784,7 +17099,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18798,21 +17113,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - } + "PhraseFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18827,24 +17130,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18858,21 +17149,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ExistsFilter", - "text": "ExistsFilter" - } + "ExistsFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18887,24 +17166,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18918,21 +17185,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhrasesFilter", - "text": "PhrasesFilter" - } + "PhrasesFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -18947,24 +17202,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -18978,21 +17221,9 @@ "description": [], "signature": [ "(filter?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | undefined) => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - } + "RangeFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -19006,16 +17237,10 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19029,21 +17254,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.MatchAllFilter", - "text": "MatchAllFilter" - } + "MatchAllFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -19058,24 +17271,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/match_all_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19089,21 +17290,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.QueryStringFilter", - "text": "QueryStringFilter" - } + "QueryStringFilter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -19118,24 +17307,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19149,13 +17326,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => boolean | undefined" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19171,24 +17342,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19202,21 +17361,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => { meta: { negate: boolean; alias?: string | null | undefined; disabled?: boolean | undefined; controlledBy?: string | undefined; group?: string | undefined; index?: string | undefined; isMultiIndex?: boolean | undefined; type?: string | undefined; key?: string | undefined; params?: any; value?: string | undefined; }; $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; query?: Record | undefined; }" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19232,24 +17379,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19263,21 +17398,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -19292,24 +17415,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19323,13 +17434,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", ") => string" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19344,22 +17449,14 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "PhraseFilterMeta", - "; query: { match_phrase?: Partial> | undefined; match?: Partial> | undefined; }; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19373,23 +17470,10 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - }, - ") => ", - "PhraseFilterValue" + "ScriptedPhraseFilter", + ") => PhraseFilterValue" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -19403,23 +17487,11 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - } + "ScriptedPhraseFilter" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19433,13 +17505,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ", indexPatterns: ", { "pluginId": "dataViews", @@ -19463,21 +17529,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/public/query/filter_manager/lib/get_display_value.ts", @@ -19514,45 +17568,15 @@ "description": [], "signature": [ "(first: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], second: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], comparatorOptions?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined) => boolean" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19567,24 +17591,12 @@ "label": "first", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -19595,24 +17607,12 @@ "label": "second", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -19623,16 +17623,10 @@ "label": "comparatorOptions", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19645,13 +17639,7 @@ "label": "COMPARE_ALL_OPTIONS", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - } + "FilterCompareOptions" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false @@ -19681,13 +17669,7 @@ "text": "IFieldType" }, ", values: any, operation: string, index: string) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19777,21 +17759,9 @@ "description": [], "signature": [ "(newFilters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined, oldFilters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined) => boolean" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19806,16 +17776,10 @@ "label": "newFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/only_disabled.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -19826,16 +17790,10 @@ "label": "oldFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/only_disabled.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -19848,16 +17806,16 @@ "label": "changeTimeFilter", "description": [], "signature": [ - "(timeFilter: Pick<", - "Timefilter", - ", \"isTimeRangeSelectorEnabled\" | \"isAutoRefreshSelectorEnabled\" | \"isTimeTouched\" | \"getEnabledUpdated$\" | \"getTimeUpdate$\" | \"getRefreshIntervalUpdate$\" | \"getAutoRefreshFetch$\" | \"getFetch$\" | \"getTime\" | \"getAbsoluteTime\" | \"setTime\" | \"getRefreshInterval\" | \"setRefreshInterval\" | \"createFilter\" | \"createRelativeFilter\" | \"getBounds\" | \"calculateBounds\" | \"getActiveBounds\" | \"enableTimeRangeSelector\" | \"disableTimeRangeSelector\" | \"enableAutoRefreshSelector\" | \"disableAutoRefreshSelector\" | \"getTimeDefaults\" | \"getRefreshIntervalDefaults\">, filter: ", + "(timeFilter: ", { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" + "pluginId": "data", + "scope": "public", + "docId": "kibDataQueryPluginApi", + "section": "def-public.TimefilterContract", + "text": "TimefilterContract" }, + ", filter: ", + "RangeFilter", ") => void" ], "path": "src/plugins/data/public/deprecated.ts", @@ -19941,24 +17899,10 @@ "text": "TimeRange" }, " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined; createRelativeFilter: (indexPattern: ", + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined; createRelativeFilter: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -19975,24 +17919,10 @@ "text": "TimeRange" }, " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined; getBounds: () => ", + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined; getBounds: () => ", { "pluginId": "data", "scope": "common", @@ -20053,29 +17983,11 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " & { meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterMeta", - "text": "RangeFilterMeta" - }, + "RangeFilterMeta", "; query: { range: { [key: string]: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - }, + "RangeFilterParams", "; }; }; }" ], "path": "src/plugins/data/public/query/timefilter/lib/change_time_filter.ts", @@ -20092,13 +18004,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, + "RangeFilter", ") => ", { "pluginId": "data", @@ -20120,29 +18026,11 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " & { meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterMeta", - "text": "RangeFilterMeta" - }, + "RangeFilterMeta", "; query: { range: { [key: string]: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - }, + "RangeFilterParams", "; }; }; }" ], "path": "src/plugins/data/public/query/timefilter/lib/change_time_filter.ts", @@ -20159,21 +18047,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/deprecated.ts", @@ -20188,13 +18064,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/lib/map_and_flatten_filters.ts", @@ -20211,29 +18081,11 @@ "description": [], "signature": [ "(timeFieldName: string, filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => { restOfFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]; timeRangeFilter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, + "RangeFilter", " | undefined; }" ], "path": "src/plugins/data/public/deprecated.ts", @@ -20258,13 +18110,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/timefilter/lib/extract_time_filter.ts", @@ -20281,21 +18127,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], timeFieldName?: string | undefined) => { restOfFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]; timeRange?: ", { "pluginId": "data", @@ -20318,13 +18152,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/timefilter/lib/extract_time_filter.ts", @@ -20361,46 +18189,6 @@ "deprecated": true, "removeBy": "8.1", "references": [ - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/utils/kuery.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/utils/kuery.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/utils/kuery.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts" - }, { "plugin": "apm", "path": "x-pack/plugins/apm/public/components/shared/kuery_bar/index.tsx" @@ -20452,18 +18240,6 @@ { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/index.tsx" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts" } ], "children": [ @@ -20493,13 +18269,7 @@ ", parseOptions?: Partial<", "KueryParseOptions", "> | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -20516,7 +18286,7 @@ "string | ", "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20531,7 +18301,7 @@ "KueryParseOptions", "> | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -20545,29 +18315,11 @@ "description": [], "signature": [ "(node: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", ", indexPattern?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined, context?: Record | undefined) => ", "QueryDslQueryContainer" ], @@ -20583,15 +18335,9 @@ "label": "node", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20602,16 +18348,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20622,16 +18362,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20644,7 +18378,7 @@ "signature": [ "Record | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -20665,50 +18399,6 @@ "deprecated": true, "removeBy": "8.1", "references": [ - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/index.tsx" @@ -20717,26 +18407,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/index.tsx" }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" - }, - { - "plugin": "transform", - "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/field_editor/components/scripting_help/test_script.tsx" @@ -20748,30 +18418,6 @@ { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/field_editor/components/scripting_help/test_script.tsx" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" } ], "children": [ @@ -20784,61 +18430,19 @@ "description": [], "signature": [ "(indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, queries: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[], filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }" ], "path": "src/plugins/data/public/deprecated.ts", @@ -20853,16 +18457,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20873,24 +18471,12 @@ "label": "queries", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20901,24 +18487,12 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -20929,16 +18503,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -20952,13 +18520,7 @@ "description": [], "signature": [ "(config: KibanaConfig) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - } + "EsQueryConfig" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -20988,29 +18550,11 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined, indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, ignoreFilterIfFieldNotInIndex?: boolean | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - } + "BoolQuery" ], "path": "src/plugins/data/public/deprecated.ts", "deprecated": false, @@ -21024,16 +18568,10 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -21044,16 +18582,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -21066,7 +18598,7 @@ "signature": [ "boolean | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -21099,7 +18631,7 @@ "string | ", "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/lucene_string_to_dsl.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -21139,7 +18671,7 @@ "signature": [ "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -21159,7 +18691,7 @@ "text": "SerializableRecord" } ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -21172,7 +18704,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -21298,7 +18830,15 @@ "section": "def-common.DatatableColumn", "text": "DatatableColumn" }, - "[], rows: Record[]) => boolean" + "[], rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]) => boolean" ], "path": "src/plugins/data/public/index.ts", "deprecated": false, @@ -21332,7 +18872,14 @@ "label": "rows", "description": [], "signature": [ - "Record[]" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]" ], "path": "src/plugins/data/common/exports/formula_checks.ts", "deprecated": false @@ -21449,15 +18996,7 @@ "label": "isNestedField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data/public/index.ts", "deprecated": false, @@ -21472,9 +19011,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -21490,15 +19027,7 @@ "label": "isMultiField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data/public/index.ts", "deprecated": false, @@ -21513,9 +19042,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -21531,22 +19058,8 @@ "label": "getFieldSubtypeMulti", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data/public/index.ts", @@ -21562,9 +19075,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -21580,22 +19091,8 @@ "label": "getFieldSubtypeNested", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data/public/index.ts", @@ -21611,9 +19108,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -22306,15 +19801,15 @@ "signature": [ "(resp?: ", "SearchResponse", - " | undefined, searchSource?: Pick<", + " | undefined, searchSource?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined) => ", + " | undefined) => ", { "pluginId": "inspector", "scope": "common", @@ -22349,15 +19844,14 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/search_source/inspect/inspector_stats.ts", "deprecated": false @@ -22638,9 +20132,9 @@ }, "; timefilter: ", "TimefilterSetup", - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; state$: ", + "; queryString: ", + "QueryStringContract", + "; state$: ", "Observable", "<{ changes: ", { @@ -22779,15 +20273,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -22803,7 +20291,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -22827,7 +20323,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -22851,15 +20355,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -22986,15 +20490,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -23010,7 +20508,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -23034,7 +20540,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -23058,15 +20572,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -23137,14 +20651,14 @@ "path": "src/plugins/data/public/types.ts", "deprecated": true, "references": [ - { - "plugin": "home", - "path": "src/plugins/home/public/plugin.ts" - }, { "plugin": "savedObjects", "path": "src/plugins/saved_objects/public/plugin.ts" }, + { + "plugin": "home", + "path": "src/plugins/home/public/plugin.ts" + }, { "plugin": "security", "path": "x-pack/plugins/security/public/management/roles/roles_management_app.tsx" @@ -23235,7 +20749,7 @@ }, { "plugin": "observability", - "path": "x-pack/plugins/observability/public/pages/alerts/index.tsx" + "path": "x-pack/plugins/observability/public/pages/alerts/containers/alerts_page/alerts_page.tsx" }, { "plugin": "maps", @@ -23253,21 +20767,9 @@ "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/index_data_visualizer.tsx" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/application/app.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/application/components/import_export_jobs/import_jobs_flyout/import_jobs_flyout.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/embeddables/anomaly_charts/anomaly_charts_embeddable.tsx" - }, { "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx" + "path": "x-pack/plugins/infra/public/components/log_stream/log_stream.tsx" }, { "plugin": "infra", @@ -23275,11 +20777,11 @@ }, { "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream.tsx" + "path": "x-pack/plugins/infra/public/utils/logs_overview_fetchers.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/infra/public/utils/logs_overview_fetchers.ts" + "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx" }, { "plugin": "infra", @@ -23590,7 +21092,7 @@ "label": "fieldFormats", "description": [], "signature": [ - "Pick<", + "Omit<", { "pluginId": "fieldFormats", "scope": "common", @@ -23598,7 +21100,7 @@ "section": "def-common.FieldFormatsRegistry", "text": "FieldFormatsRegistry" }, - ", \"deserialize\" | \"getDefaultConfig\" | \"getType\" | \"getTypeWithoutMetaParams\" | \"getDefaultType\" | \"getTypeNameByEsTypes\" | \"getDefaultTypeName\" | \"getInstance\" | \"getDefaultInstancePlain\" | \"getDefaultInstanceCacheResolver\" | \"getByFieldType\" | \"getDefaultInstance\" | \"parseDefaultTypeMap\" | \"has\"> & { deserialize: ", + ", \"init\" | \"register\"> & { deserialize: ", { "pluginId": "fieldFormats", "scope": "common", @@ -23643,14 +21145,6 @@ "plugin": "lens", "path": "x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/ranges/ranges.tsx" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/application/util/dependency_cache.ts" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/application/app.tsx" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/threshold/expression.tsx" @@ -23659,10 +21153,6 @@ "plugin": "lens", "path": "x-pack/plugins/lens/public/indexpattern_datasource/dimension_panel/droppable/droppable.test.ts" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/target/types/public/application/util/dependency_cache.d.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/field_editor/field_editor.tsx" @@ -23747,10 +21237,6 @@ "plugin": "visTypePie", "path": "src/plugins/vis_types/pie/public/utils/get_layers.test.ts" }, - { - "plugin": "dataViewFieldEditor", - "path": "src/plugins/data_view_field_editor/__jest__/client_integration/helpers/setup_environment.tsx" - }, { "plugin": "visTypePie", "path": "src/plugins/vis_types/pie/public/utils/get_layers.test.ts" @@ -23784,13 +21270,7 @@ ], "signature": [ "{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -23799,9 +21279,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -23894,13 +21374,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; }" ], "path": "src/plugins/data/public/types.ts", @@ -24060,9 +21534,7 @@ }, ">, { bfetch, expressions, usageCollection, fieldFormats }: ", "DataPluginSetupDependencies", - ") => { __enhance: (enhancements: ", - "DataEnhancements", - ") => void; search: ", + ") => { __enhance: (enhancements: DataEnhancements) => void; search: ", "ISearchSetup", "; fieldFormats: ", { @@ -24337,15 +21809,15 @@ "section": "def-common.IIndexPatternFieldList", "text": "IIndexPatternFieldList" }, - " & { toSpec: () => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; }" + "; }" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false @@ -25078,7 +22550,15 @@ "label": "getAggregationRestrictions", "description": [], "signature": [ - "() => Record> | undefined" + "() => Record | undefined" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false, @@ -25460,7 +22940,15 @@ "label": "setFieldAttrs", "description": [], "signature": [ - "(fieldName: string, attrName: K, value: ", + "(fieldName: string, attrName: K, value: ", { "pluginId": "dataViews", "scope": "common", @@ -25755,12 +23243,24 @@ "path": "src/plugins/data_views/common/index.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts" }, { "plugin": "visTypeTimeseries", @@ -25771,12 +23271,12 @@ "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { "plugin": "discover", @@ -26176,79 +23676,79 @@ }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", @@ -26274,6 +23774,14 @@ "plugin": "apm", "path": "x-pack/plugins/apm/public/components/app/RumDashboard/LocalUIFilters/SelectedFilters.tsx" }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, { "plugin": "lens", "path": "x-pack/plugins/lens/server/routes/existing_fields.ts" @@ -27016,67 +24524,67 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", @@ -27246,6 +24754,14 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/components/search_bar.tsx" @@ -28733,19 +26249,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", @@ -28785,19 +26301,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", @@ -28845,31 +26361,31 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", @@ -29721,7 +27237,9 @@ "\n Get a list of field objects for an index pattern that may contain wildcards\n" ], "signature": [ - "(options: { pattern: string | string[]; metaFields?: string[] | undefined; fieldCapsOptions?: { allow_no_indices: boolean; } | undefined; type?: string | undefined; rollupIndex?: string | undefined; }) => Promise<", + "(options: { pattern: string | string[]; metaFields?: string[] | undefined; fieldCapsOptions?: { allow_no_indices: boolean; } | undefined; type?: string | undefined; rollupIndex?: string | undefined; filter?: ", + "QueryDslQueryContainer", + " | undefined; }) => Promise<", { "pluginId": "dataViews", "scope": "server", @@ -29808,6 +27326,20 @@ ], "path": "src/plugins/data_views/server/fetcher/index_patterns_fetcher.ts", "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-server.IndexPatternsFetcher.getFieldsForWildcard.$1.filter", + "type": "Object", + "tags": [], + "label": "filter", + "description": [], + "signature": [ + "QueryDslQueryContainer", + " | undefined" + ], + "path": "src/plugins/data_views/server/fetcher/index_patterns_fetcher.ts", + "deprecated": false } ] } @@ -30020,14 +27552,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -30225,14 +27749,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -30362,13 +27878,7 @@ "description": [], "signature": [ "(esType: string) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/data/common/kbn_field_types/index.ts", "deprecated": true, @@ -30392,7 +27902,7 @@ "tags": [], "label": "esType", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false } ], @@ -30438,13 +27948,7 @@ "description": [], "signature": [ "(config: KibanaConfig) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - } + "EsQueryConfig" ], "path": "src/plugins/data/common/es_query/get_es_query_config.ts", "deprecated": false, @@ -30492,24 +27996,10 @@ "text": "TimeRange" }, ", options: { forceNow?: Date | undefined; fieldName?: string | undefined; } | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined" + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined" ], "path": "src/plugins/data/common/query/timefilter/get_time.ts", "deprecated": false, @@ -30847,13 +28337,7 @@ "text": "IFieldType" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/fields/types.ts", "deprecated": true, @@ -30919,18 +28403,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/data_views/data_view.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" @@ -30943,126 +28415,6 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" @@ -31115,78 +28467,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/single_field_select.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" @@ -31195,38 +28475,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/utils.ts" @@ -31307,6 +28555,18 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/expressions/boundary_index_expression.tsx" }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, { "plugin": "dataViews", "path": "src/plugins/data_views/common/utils.test.ts" @@ -31758,7 +29018,7 @@ "tags": [], "label": "ES_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -31769,7 +29029,7 @@ "tags": [], "label": "KBN_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -31824,13 +29084,7 @@ "label": "EsQueryConfig", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " & { allowLeadingWildcards: boolean; queryStringOptions: ", { "pluginId": "@kbn/utility-types", @@ -31867,21 +29121,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -31980,18 +29222,6 @@ "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context.ts" }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/application/lib/filter_utils.ts" @@ -32116,54 +29346,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, { "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" @@ -32172,282 +29354,6 @@ "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, { "plugin": "dashboardEnhanced", "path": "x-pack/plugins/dashboard_enhanced/public/services/drilldowns/embeddable_to_dashboard_drilldown/embeddable_to_dashboard_drilldown.tsx" @@ -32480,22 +29386,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/url_drilldown.tsx" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, { "plugin": "discoverEnhanced", "path": "x-pack/plugins/discover_enhanced/public/actions/explore_data/explore_data_chart_action.test.ts" @@ -32516,162 +29406,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/test/data.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.test.ts" @@ -32712,38 +29446,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/vis_controller.tsx" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" @@ -32752,30 +29454,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, { "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" @@ -32800,22 +29478,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context_state.test.ts" @@ -32852,6 +29514,14 @@ "plugin": "discover", "path": "src/plugins/discover/public/embeddable/saved_search_embeddable.tsx" }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, { "plugin": "maps", "path": "x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts" @@ -32940,42 +29610,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/public/legacy_visualizations/tile_map/tile_map_visualization.tsx" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/public/classes/util/can_skip_fetch.test.ts" @@ -33011,22 +29645,6 @@ { "plugin": "maps", "path": "x-pack/plugins/maps/target/types/public/routes/map_page/map_app/map_app.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" } ], "initialIsOpen": false @@ -33064,9 +29682,7 @@ "label": "IFieldSubType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional" + "IFieldSubTypeMultiOptional | IFieldSubTypeNestedOptional" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -33099,30 +29715,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/index.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx" @@ -33194,6 +29786,30 @@ { "plugin": "discover", "path": "src/plugins/discover/public/application/main/discover_main_route.tsx" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" } ], "initialIsOpen": false @@ -33320,7 +29936,7 @@ "signature": [ "{ query: string | { [key: string]: any; }; language: string; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/types.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -33359,13 +29975,7 @@ "description": [], "signature": [ "(query: (Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined, index: string, alias: string) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.QueryStringFilter", - "text": "QueryStringFilter" - } + "QueryStringFilter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33381,7 +29991,7 @@ "signature": [ "(Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33391,7 +30001,7 @@ "tags": [], "label": "index", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33401,7 +30011,7 @@ "tags": [], "label": "alias", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33417,21 +30027,9 @@ "(indexPatternString: string, queryDsl: ", "QueryDslQueryContainer", ", disabled: boolean, negate: boolean, alias: string | null, store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33444,7 +30042,7 @@ "tags": [], "label": "indexPatternString", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33457,7 +30055,7 @@ "signature": [ "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33467,7 +30065,7 @@ "tags": [], "label": "disabled", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33477,7 +30075,7 @@ "tags": [], "label": "negate", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33490,7 +30088,7 @@ "signature": [ "string | null" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33501,15 +30099,9 @@ "label": "store", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - } + "FilterStateStore" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33523,13 +30115,7 @@ "description": [], "signature": [ "(isPinned: boolean, index?: string | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33542,7 +30128,7 @@ "tags": [], "label": "isPinned", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33555,7 +30141,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33569,29 +30155,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ExistsFilter", - "text": "ExistsFilter" - } + "ExistsFilter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33605,15 +30173,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33624,15 +30186,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33646,29 +30202,11 @@ "description": [], "signature": [ "(indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ", field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", type: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FILTERS", - "text": "FILTERS" - }, + "FILTERS", ", negate: boolean, disabled: boolean, params: ", { "pluginId": "@kbn/utility-types", @@ -33678,21 +30216,9 @@ "text": "Serializable" }, ", alias: string | null, store?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33706,15 +30232,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33725,15 +30245,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33744,15 +30258,9 @@ "label": "type", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FILTERS", - "text": "FILTERS" - } + "FILTERS" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33762,7 +30270,7 @@ "tags": [], "label": "negate", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33772,7 +30280,7 @@ "tags": [], "label": "disabled", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33784,8 +30292,6 @@ "description": [], "signature": [ "string | number | boolean | ", - "SerializableArray", - " | ", { "pluginId": "@kbn/utility-types", "scope": "server", @@ -33793,9 +30299,11 @@ "section": "def-server.SerializableRecord", "text": "SerializableRecord" }, + " | ", + "SerializableArray", " | null | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33808,7 +30316,7 @@ "signature": [ "string | null" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33819,16 +30327,10 @@ "label": "store", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33842,39 +30344,13 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", value: ", - "PhraseFilterValue", - ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", value: PhraseFilterValue, indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - } + "ScriptedPhraseFilter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33888,15 +30364,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33909,7 +30379,7 @@ "signature": [ "string | number | boolean" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33920,15 +30390,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -33942,31 +30406,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", params: ", - "PhraseFilterValue", - "[], indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", params: PhraseFilterValue[], indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhrasesFilter", - "text": "PhrasesFilter" - } + "PhrasesFilter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -33980,15 +30424,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -33999,10 +30437,9 @@ "label": "params", "description": [], "signature": [ - "PhraseFilterValue", - "[]" + "PhraseFilterValue[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34013,15 +30450,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34035,47 +30466,16 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", params: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - }, + "RangeFilterParams", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ", formattedValue?: string | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter" + "ScriptedRangeFilter", + " | MatchAllRangeFilter" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -34089,15 +30489,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34108,15 +30502,9 @@ "label": "params", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - } + "RangeFilterParams" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34127,15 +30515,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34148,7 +30530,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34162,13 +30544,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => boolean" ], "path": "src/plugins/data/server/deprecated.ts", @@ -34184,24 +30560,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34245,13 +30609,7 @@ ", parseOptions?: Partial<", "KueryParseOptions", "> | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -34268,7 +30626,7 @@ "string | ", "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34283,7 +30641,7 @@ "KueryParseOptions", "> | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34297,29 +30655,11 @@ "description": [], "signature": [ "(node: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", ", indexPattern?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined, context?: Record | undefined) => ", "QueryDslQueryContainer" ], @@ -34335,15 +30675,9 @@ "label": "node", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34354,16 +30688,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34374,16 +30702,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34396,7 +30718,7 @@ "signature": [ "Record | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34423,29 +30745,11 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined, indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, ignoreFilterIfFieldNotInIndex?: boolean | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - } + "BoolQuery" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -34459,16 +30763,10 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34479,16 +30777,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34501,7 +30793,7 @@ "signature": [ "boolean | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -34515,13 +30807,7 @@ "description": [], "signature": [ "(config: KibanaConfig) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - } + "EsQueryConfig" ], "path": "src/plugins/data/server/deprecated.ts", "deprecated": false, @@ -34551,61 +30837,19 @@ "description": [], "signature": [ "(indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, queries: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[], filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }" ], "path": "src/plugins/data/server/deprecated.ts", @@ -34620,16 +30864,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34640,24 +30878,12 @@ "label": "queries", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34668,24 +30894,12 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -34696,16 +30910,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ] @@ -35206,15 +31414,15 @@ "section": "def-common.IIndexPatternFieldList", "text": "IIndexPatternFieldList" }, - " & { toSpec: () => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; }" + "; }" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false @@ -35947,7 +32155,15 @@ "label": "getAggregationRestrictions", "description": [], "signature": [ - "() => Record> | undefined" + "() => Record | undefined" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false, @@ -36329,7 +32545,15 @@ "label": "setFieldAttrs", "description": [], "signature": [ - "(fieldName: string, attrName: K, value: ", + "(fieldName: string, attrName: K, value: ", { "pluginId": "dataViews", "scope": "common", @@ -36772,7 +32996,8 @@ "\nScript field language" ], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -36785,7 +33010,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -36935,9 +33161,7 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -37027,13 +33251,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -37050,13 +33268,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -37087,10 +33299,10 @@ "label": "toJSON", "description": [], "signature": [ - "() => { count: number; script: string | undefined; lang: \"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "() => { count: number; script: string | undefined; lang: ", + "ScriptLanguage", + " | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", + "IFieldSubType", " | undefined; customLabel: string | undefined; }" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -37333,7 +33545,7 @@ "id": "def-common.DataViewsService.Unnamed.$1", "type": "Object", "tags": [], - "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n }", + "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n getCanSave = () => Promise.resolve(false),\n }", "description": [], "signature": [ "IndexPatternsServiceDeps" @@ -37555,15 +33767,9 @@ "signature": [ "() => Promise<", "SavedObject", - ">[] | null | undefined>" + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -37693,7 +33899,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise" + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -37757,7 +33971,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise" + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -37888,15 +34110,14 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -38503,12 +34724,24 @@ "path": "src/plugins/data_views/common/index.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts" }, { "plugin": "visTypeTimeseries", @@ -38519,12 +34752,12 @@ "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, { "plugin": "discover", @@ -38922,30 +35155,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx" }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" - }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" - }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" - }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" - }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" - }, - { - "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" - }, { "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" @@ -38998,6 +35207,30 @@ "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + }, + { + "plugin": "dataVisualizer", + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + }, { "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx" @@ -39022,6 +35255,14 @@ "plugin": "apm", "path": "x-pack/plugins/apm/public/components/app/RumDashboard/LocalUIFilters/SelectedFilters.tsx" }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, { "plugin": "lens", "path": "x-pack/plugins/lens/server/routes/existing_fields.ts" @@ -39764,67 +36005,67 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", @@ -39994,6 +36235,14 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/components/search_bar.tsx" @@ -41481,19 +37730,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", @@ -41533,19 +37782,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", @@ -41593,31 +37842,31 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", @@ -42476,14 +38725,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -42607,7 +38848,7 @@ "tags": [], "label": "KbnFieldType", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "children": [ { @@ -42617,7 +38858,7 @@ "tags": [], "label": "name", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -42627,7 +38868,7 @@ "tags": [], "label": "sortable", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -42637,7 +38878,7 @@ "tags": [], "label": "filterable", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -42649,16 +38890,10 @@ "description": [], "signature": [ "readonly ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[]" ], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -42671,7 +38906,7 @@ "signature": [ "any" ], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "children": [ { @@ -42683,16 +38918,10 @@ "description": [], "signature": [ "Partial<", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KbnFieldTypeOptions", - "text": "KbnFieldTypeOptions" - }, + "KbnFieldTypeOptions", "> | undefined" ], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_type.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "isRequired": false } @@ -42717,21 +38946,9 @@ "(indexPatternString: string, queryDsl: ", "QueryDslQueryContainer", ", disabled: boolean, negate: boolean, alias: string | null, store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -42746,7 +38963,7 @@ "tags": [], "label": "indexPatternString", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42759,7 +38976,7 @@ "signature": [ "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42769,7 +38986,7 @@ "tags": [], "label": "disabled", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42779,7 +38996,7 @@ "tags": [], "label": "negate", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42792,7 +39009,7 @@ "signature": [ "string | null" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42803,15 +39020,9 @@ "label": "store", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - } + "FilterStateStore" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/custom_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -42828,13 +39039,7 @@ "description": [], "signature": [ "(isPinned: boolean, index?: string | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -42849,7 +39054,7 @@ "tags": [], "label": "isPinned", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42862,7 +39067,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_empty_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -42879,61 +39084,19 @@ "description": [], "signature": [ "(indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, queries: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[], filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -42950,16 +39113,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42970,24 +39127,12 @@ "label": "queries", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -42998,24 +39143,12 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43026,16 +39159,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - }, + "EsQueryConfig", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/build_es_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43052,29 +39179,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ExistsFilter", - "text": "ExistsFilter" - } + "ExistsFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43090,15 +39199,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43109,15 +39212,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43134,29 +39231,11 @@ "description": [], "signature": [ "(indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ", field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", type: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FILTERS", - "text": "FILTERS" - }, + "FILTERS", ", negate: boolean, disabled: boolean, params: ", { "pluginId": "@kbn/utility-types", @@ -43166,21 +39245,9 @@ "text": "Serializable" }, ", alias: string | null, store?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43196,15 +39263,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43215,15 +39276,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43234,15 +39289,9 @@ "label": "type", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FILTERS", - "text": "FILTERS" - } + "FILTERS" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43252,7 +39301,7 @@ "tags": [], "label": "negate", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43262,7 +39311,7 @@ "tags": [], "label": "disabled", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43274,8 +39323,6 @@ "description": [], "signature": [ "string | number | boolean | ", - "SerializableArray", - " | ", { "pluginId": "@kbn/utility-types", "scope": "server", @@ -43283,9 +39330,11 @@ "section": "def-server.SerializableRecord", "text": "SerializableRecord" }, + " | ", + "SerializableArray", " | null | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43298,7 +39347,7 @@ "signature": [ "string | null" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43309,16 +39358,10 @@ "label": "store", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/build_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43335,39 +39378,13 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", value: ", - "PhraseFilterValue", - ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", value: PhraseFilterValue, indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - } + "ScriptedPhraseFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43383,15 +39400,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43404,7 +39415,7 @@ "signature": [ "string | number | boolean" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43415,15 +39426,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43440,31 +39445,11 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", params: ", - "PhraseFilterValue", - "[], indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewFieldBase", + ", params: PhraseFilterValue[], indexPattern: ", + "DataViewBase", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhrasesFilter", - "text": "PhrasesFilter" - } + "PhrasesFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43480,15 +39465,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43499,10 +39478,9 @@ "label": "params", "description": [], "signature": [ - "PhraseFilterValue", - "[]" + "PhraseFilterValue[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43513,15 +39491,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43538,13 +39510,7 @@ "description": [], "signature": [ "(query: (Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined, index: string, alias: string) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.QueryStringFilter", - "text": "QueryStringFilter" - } + "QueryStringFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43562,7 +39528,7 @@ "signature": [ "(Record & { query_string?: { query: string; fields?: string[] | undefined; } | undefined; }) | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43572,7 +39538,7 @@ "tags": [], "label": "index", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43582,7 +39548,7 @@ "tags": [], "label": "alias", "description": [], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43599,29 +39565,11 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined, indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, ignoreFilterIfFieldNotInIndex?: boolean | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - } + "BoolQuery" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43637,16 +39585,10 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43657,16 +39599,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43679,7 +39615,7 @@ "signature": [ "boolean | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/from_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43696,47 +39632,16 @@ "description": [], "signature": [ "(field: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, + "DataViewFieldBase", ", params: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - }, + "RangeFilterParams", ", indexPattern: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", ", formattedValue?: string | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter" + "ScriptedRangeFilter", + " | MatchAllRangeFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -43752,15 +39657,9 @@ "label": "field", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43771,15 +39670,9 @@ "label": "params", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilterParams", - "text": "RangeFilterParams" - } + "RangeFilterParams" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43790,15 +39683,9 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43811,7 +39698,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -43828,13 +39715,7 @@ "description": [], "signature": [ "(esType: string) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/data/common/kbn_field_types/index.ts", "deprecated": true, @@ -43858,7 +39739,7 @@ "tags": [], "label": "esType", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false } ], @@ -43906,45 +39787,15 @@ "description": [], "signature": [ "(first: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], second: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], comparatorOptions?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined) => boolean" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -43961,24 +39812,12 @@ "label": "first", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -43989,24 +39828,12 @@ "label": "second", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44017,16 +39844,10 @@ "label": "comparatorOptions", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/compare_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44175,7 +39996,7 @@ "signature": [ "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44195,7 +40016,7 @@ "text": "SerializableRecord" } ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44208,7 +40029,7 @@ "signature": [ "string | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/decorate_query.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44225,37 +40046,13 @@ "description": [], "signature": [ "(existingFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], comparatorOptions?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -44272,16 +40069,10 @@ "label": "existingFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/dedup_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44292,16 +40083,10 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/dedup_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44312,16 +40097,10 @@ "label": "comparatorOptions", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/dedup_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44338,21 +40117,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -44369,24 +40136,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44403,21 +40158,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -44434,24 +40177,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44539,13 +40270,7 @@ ", parseOptions?: Partial<", "KueryParseOptions", "> | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -44564,7 +40289,7 @@ "string | ", "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -44579,7 +40304,7 @@ "KueryParseOptions", "> | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/ast/ast.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44594,13 +40319,7 @@ "description": [], "signature": [ "(config: KibanaConfig) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.EsQueryConfig", - "text": "EsQueryConfig" - } + "EsQueryConfig" ], "path": "src/plugins/data/common/es_query/get_es_query_config.ts", "deprecated": false, @@ -44631,22 +40350,8 @@ "label": "getFieldSubtypeMulti", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -44662,9 +40367,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -44681,22 +40384,8 @@ "label": "getFieldSubtypeNested", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -44712,9 +40401,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -44751,7 +40438,7 @@ "label": "getIndexPatternLoadMeta", "description": [], "signature": [ - "() => Pick<", + "() => Omit<", { "pluginId": "dataViews", "scope": "common", @@ -44759,7 +40446,7 @@ "section": "def-common.IndexPatternLoadExpressionFunctionDefinition", "text": "IndexPatternLoadExpressionFunctionDefinition" }, - ", \"name\" | \"type\" | \"telemetry\" | \"inject\" | \"extract\" | \"migrations\" | \"disabled\" | \"help\" | \"inputTypes\" | \"args\" | \"aliases\" | \"context\">" + ", \"fn\">" ], "path": "src/plugins/data_views/common/expressions/load_index_pattern.ts", "deprecated": false, @@ -44778,13 +40465,7 @@ "description": [], "signature": [ "(typeName: string) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KbnFieldType", - "text": "KbnFieldType" - } + "KbnFieldType" ], "path": "src/plugins/data/common/kbn_field_types/index.ts", "deprecated": true, @@ -44799,7 +40480,7 @@ "tags": [], "label": "typeName", "description": [], - "path": "node_modules/@kbn/field-types/target_types/kbn_field_types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false } ], @@ -44845,13 +40526,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", ") => string" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -44868,22 +40543,14 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "PhraseFilterMeta", - "; query: { match_phrase?: Partial> | undefined; match?: Partial> | undefined; }; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44900,23 +40567,10 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - }, - ") => ", - "PhraseFilterValue" + "ScriptedPhraseFilter", + ") => PhraseFilterValue" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -44932,23 +40586,11 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - }, + "PhraseFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedPhraseFilter", - "text": "ScriptedPhraseFilter" - } + "ScriptedPhraseFilter" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -44965,21 +40607,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ExistsFilter", - "text": "ExistsFilter" - } + "ExistsFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -44996,24 +40626,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/exists_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45030,13 +40648,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45054,7 +40666,7 @@ "signature": [ "unknown" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45116,13 +40728,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => boolean" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -45140,24 +40746,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45174,13 +40768,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => boolean | undefined" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -45211,24 +40799,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45245,13 +40821,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -45279,7 +40849,7 @@ "signature": [ "unknown" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45296,21 +40866,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.MatchAllFilter", - "text": "MatchAllFilter" - } + "MatchAllFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45327,24 +40885,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/match_all_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45358,15 +40904,7 @@ "label": "isMultiField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data_views/common/fields/utils.ts", "deprecated": false, @@ -45381,9 +40919,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -45400,15 +40936,7 @@ "label": "isNestedField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data_views/common/fields/utils.ts", "deprecated": false, @@ -45423,9 +40951,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -45445,21 +40971,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhraseFilter", - "text": "PhraseFilter" - } + "PhraseFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45476,24 +40990,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrase_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45510,21 +41012,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.PhrasesFilter", - "text": "PhrasesFilter" - } + "PhrasesFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45541,24 +41031,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/phrases_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45575,21 +41053,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.QueryStringFilter", - "text": "QueryStringFilter" - } + "QueryStringFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45606,24 +41072,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/query_string_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45640,21 +41094,9 @@ "description": [], "signature": [ "(filter?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | undefined) => filter is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - } + "RangeFilter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45670,16 +41112,10 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/range_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45717,7 +41153,7 @@ "string | ", "QueryDslQueryContainer" ], - "path": "node_modules/@kbn/es-query/target_types/es_query/lucene_string_to_dsl.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45734,21 +41170,9 @@ "description": [], "signature": [ "(newFilters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined, oldFilters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined) => boolean" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -45765,16 +41189,10 @@ "label": "newFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/only_disabled.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -45785,16 +41203,10 @@ "label": "oldFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/only_disabled.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45811,21 +41223,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -45842,24 +41242,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -45881,7 +41269,15 @@ "section": "def-common.DatatableColumn", "text": "DatatableColumn" }, - "[], rows: Record[]) => boolean" + "[], rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]) => boolean" ], "path": "src/plugins/data/common/exports/formula_checks.ts", "deprecated": false, @@ -45915,7 +41311,14 @@ "label": "rows", "description": [], "signature": [ - "Record[]" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]" ], "path": "src/plugins/data/common/exports/formula_checks.ts", "deprecated": false, @@ -45936,29 +41339,11 @@ "description": [], "signature": [ "(node: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", ", indexPattern?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined, config?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined, context?: Record | undefined) => ", "QueryDslQueryContainer" ], @@ -45976,15 +41361,9 @@ "label": "node", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - } + "KueryNode" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -45995,16 +41374,10 @@ "label": "indexPattern", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - }, + "DataViewBase", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -46015,16 +41388,10 @@ "label": "config", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -46037,7 +41404,7 @@ "signature": [ "Record | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/kuery/index.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -46054,21 +41421,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => { meta: { disabled: boolean; alias?: string | null | undefined; negate?: boolean | undefined; controlledBy?: string | undefined; group?: string | undefined; index?: string | undefined; isMultiIndex?: boolean | undefined; type?: string | undefined; key?: string | undefined; params?: any; value?: string | undefined; }; $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -46086,24 +41441,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -46120,21 +41463,9 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => { meta: { negate: boolean; alias?: string | null | undefined; disabled?: boolean | undefined; controlledBy?: string | undefined; group?: string | undefined; index?: string | undefined; isMultiIndex?: boolean | undefined; type?: string | undefined; key?: string | undefined; params?: any; value?: string | undefined; }; $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -46152,24 +41483,12 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/meta_filter.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -46186,29 +41505,11 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], comparatorOptions?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -46225,16 +41526,10 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/uniq_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false }, { @@ -46245,16 +41540,10 @@ "label": "comparatorOptions", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterCompareOptions", - "text": "FilterCompareOptions" - }, + "FilterCompareOptions", " | undefined" ], - "path": "node_modules/@kbn/es-query/target_types/filters/helpers/uniq_filters.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false } ], @@ -46607,15 +41896,14 @@ "label": "fields", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -46829,13 +42117,7 @@ "text": "FieldSpec" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false, @@ -47061,7 +42343,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -47074,7 +42357,14 @@ "label": "conflictDescriptions", "description": [], "signature": [ - "Record | undefined" + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpecConflictDescriptions", + "text": "FieldSpecConflictDescriptions" + }, + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -47097,13 +42387,7 @@ "label": "type", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -47172,9 +42456,7 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined" ], "path": "src/plugins/data_views/common/types.ts", @@ -47380,6 +42662,20 @@ ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.GetFieldsOptions.filter", + "type": "Object", + "tags": [], + "label": "filter", + "description": [], + "signature": [ + "QueryDslQueryContainer", + " | undefined" + ], + "path": "src/plugins/data_views/common/types.ts", + "deprecated": false } ], "initialIsOpen": false @@ -47574,13 +42870,7 @@ "text": "IFieldType" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/fields/types.ts", "deprecated": true, @@ -47646,18 +42936,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/data_views/data_view.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" @@ -47670,126 +42948,6 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" @@ -47842,78 +43000,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/single_field_select.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" @@ -47922,38 +43008,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/utils.ts" @@ -48034,6 +43088,18 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/expressions/boundary_index_expression.tsx" }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, { "plugin": "dataViews", "path": "src/plugins/data_views/common/utils.test.ts" @@ -48333,13 +43399,7 @@ "text": "IIndexPattern" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": true, @@ -49048,15 +44108,14 @@ "section": "def-common.FieldFormat", "text": "FieldFormat" }, - ") | undefined; } | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/fields/field_list.ts", "deprecated": false, @@ -49176,7 +44235,7 @@ "tags": [], "label": "KbnFieldTypeOptions", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "children": [ { @@ -49186,7 +44245,7 @@ "tags": [], "label": "sortable", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -49196,7 +44255,7 @@ "tags": [], "label": "filterable", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -49206,7 +44265,7 @@ "tags": [], "label": "name", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false }, { @@ -49217,16 +44276,10 @@ "label": "esTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[]" ], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false } ], @@ -49250,7 +44303,7 @@ "label": "type", "description": [], "signature": [ - "\"boolean\" | \"date\" | \"geo_point\" | \"ip\" | \"keyword\" | \"long\" | \"double\"" + "\"boolean\" | \"keyword\" | \"ip\" | \"date\" | \"geo_point\" | \"long\" | \"double\"" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -49850,7 +44903,15 @@ "label": "aggs", "description": [], "signature": [ - "Record> | undefined" + "Record | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -50023,7 +45084,7 @@ "tags": [], "label": "ES_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -50034,9 +45095,9 @@ "tags": [], "label": "FilterStateStore", "description": [ - "\n Filter,\nAn enum to denote whether a filter is specific to an application's context or whether it should be applied globally." + "\r\n Filter,\r\nAn enum to denote whether a filter is specific to an application's context or whether it should be applied globally." ], - "path": "node_modules/@kbn/es-query/target_types/filters/build_filters/types.d.ts", + "path": "node_modules/@types/kbn__es-query/index.d.ts", "deprecated": false, "initialIsOpen": false }, @@ -50066,7 +45127,7 @@ "tags": [], "label": "KBN_FIELD_TYPES", "description": [], - "path": "node_modules/@kbn/field-types/target_types/types.d.ts", + "path": "node_modules/@types/kbn__field-types/index.d.ts", "deprecated": false, "initialIsOpen": false } @@ -50125,21 +45186,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -50236,15 +45285,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -50260,7 +45303,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -50284,7 +45335,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -50308,15 +45367,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -50412,13 +45471,7 @@ "label": "EsQueryConfig", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryQueryOptions", - "text": "KueryQueryOptions" - }, + "KueryQueryOptions", " & { allowLeadingWildcards: boolean; queryStringOptions: ", { "pluginId": "@kbn/utility-types", @@ -50454,21 +45507,9 @@ "label": "ExistsFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " & { meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query: { exists?: { field: string; } | undefined; }; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -50541,21 +45582,9 @@ "description": [], "signature": [ "{ $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; }" ], "path": "src/plugins/data/common/es_query/index.ts", @@ -50654,18 +45683,6 @@ "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context.ts" }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/application/lib/filter_utils.ts" @@ -50790,54 +45807,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/state_management/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/indexpattern_datasource/fields_accordion.tsx" - }, { "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" @@ -50846,282 +45815,6 @@ "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/reducers/map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/join_tooltip_property.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/actions/map_actions.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_popover.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/tooltip_control/tooltip_control.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/mb_map/mb_map.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/toolbar_overlay/toolbar_overlay.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/connected_components/map_container/map_container.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/saved_map/types.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/global_sync.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/url_state/app_state_manager.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/routes/map_page/map_app/index.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/embeddable/map_embeddable.tsx" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/locators.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/types.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/server/migrations/saved_object_migrations.ts" - }, { "plugin": "dashboardEnhanced", "path": "x-pack/plugins/dashboard_enhanced/public/services/drilldowns/embeddable_to_dashboard_drilldown/embeddable_to_dashboard_drilldown.tsx" @@ -51154,22 +45847,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/url_drilldown.tsx" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/public/persistence/filter_references.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/public/selectors/map_selectors.test.ts" - }, { "plugin": "discoverEnhanced", "path": "x-pack/plugins/discover_enhanced/public/actions/explore_data/explore_data_chart_action.test.ts" @@ -51190,162 +45867,6 @@ "plugin": "urlDrilldown", "path": "x-pack/plugins/drilldowns/url_drilldown/public/lib/test/data.ts" }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/public/embeddable/embeddable.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "lens", - "path": "x-pack/plugins/lens/target/types/server/migrations/types.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/tooltips/tooltip_property.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/classes/sources/vector_source/vector_source.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/actions/map_actions.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/global_sync.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/routes/map_page/url_state/app_state_manager.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/map_container/map_container.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/mb_map.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/toolbar_overlay/toolbar_overlay.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/tooltip_popover.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/draw_control/draw_filter_control/draw_filter_control.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_geometry_filter_form.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/feature_properties.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/target/types/public/connected_components/mb_map/tooltip_control/features_tooltip/features_tooltip.d.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/public/url_generator.test.ts" @@ -51386,38 +45907,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/vis_controller.tsx" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/types.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/utils.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts" - }, { "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" @@ -51426,30 +45915,6 @@ "plugin": "dashboard", "path": "src/plugins/dashboard/server/saved_objects/move_filters_to_query.test.ts" }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeTimelion", - "path": "src/plugins/vis_types/timelion/public/timelion_vis_fn.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, - { - "plugin": "visTypeVega", - "path": "src/plugins/vis_types/vega/public/vega_request_handler.ts" - }, { "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" @@ -51474,22 +45939,6 @@ "plugin": "inputControlVis", "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/public/application/types.d.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/context/services/context_state.test.ts" @@ -51526,6 +45975,14 @@ "plugin": "discover", "path": "src/plugins/discover/public/embeddable/saved_search_embeddable.tsx" }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/get_sharing_data.ts" + }, { "plugin": "maps", "path": "x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts" @@ -51614,42 +46071,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/public/legacy_visualizations/tile_map/tile_map_visualization.tsx" }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "ml", - "path": "x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/types/index.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/public/classes/util/can_skip_fetch.test.ts" @@ -51685,22 +46106,6 @@ { "plugin": "maps", "path": "x-pack/plugins/maps/target/types/public/routes/map_page/map_app/map_app.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/common/locator.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" - }, - { - "plugin": "visualize", - "path": "src/plugins/visualize/target/types/common/locator.d.ts" } ], "initialIsOpen": false @@ -51775,9 +46180,7 @@ "label": "IFieldSubType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional" + "IFieldSubTypeMultiOptional | IFieldSubTypeNestedOptional" ], "path": "src/plugins/data/common/es_query/index.ts", "deprecated": true, @@ -51924,30 +46327,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/index.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/utils.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx" @@ -52019,6 +46398,30 @@ { "plugin": "discover", "path": "src/plugins/discover/public/application/main/discover_main_route.tsx" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/utils.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/deprecations/scripted_fields.ts" } ], "initialIsOpen": false @@ -52216,15 +46619,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -52240,7 +46637,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -52264,7 +46669,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -52288,15 +46701,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -52541,11 +46954,11 @@ }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "stackAlerts", @@ -52771,14 +47184,6 @@ "plugin": "dataViews", "path": "src/plugins/data_views/common/index.ts" }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" - }, - { - "plugin": "dataViews", - "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" - }, { "plugin": "observability", "path": "x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts" @@ -52810,6 +47215,14 @@ { "plugin": "dataViewEditor", "path": "src/plugins/data_view_editor/public/components/data_view_flyout_content_container.tsx" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" + }, + { + "plugin": "dataViews", + "path": "src/plugins/data_views/server/routes/create_index_pattern.ts" } ], "initialIsOpen": false @@ -52914,16 +47327,8 @@ "label": "MatchAllFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "MatchAllFilterMeta", - "; query: { match_all: ", + "Filter", + " & { meta: MatchAllFilterMeta; query: { match_all: ", "QueryDslMatchAllQuery", "; }; }" ], @@ -53036,7 +47441,7 @@ "signature": [ "Pick<", "Toast", - ", \"onChange\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", + ", \"children\" | \"onClick\" | \"onChange\" | \"color\" | \"onKeyDown\" | \"security\" | \"className\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", { "pluginId": "core", "scope": "public", @@ -53070,16 +47475,8 @@ "label": "PhraseFilter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " & { meta: ", - "PhraseFilterMeta", - "; query: { match_phrase?: Partial> | undefined; match?: Partial ", "FunctionTypeBuildNode", "; or: (nodes: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", "[]) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", "; and: (nodes: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", "[]) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.KueryNode", - "text": "KueryNode" - }, + "KueryNode", "; }" ], "path": "src/plugins/data/common/es_query/index.ts", diff --git a/api_docs/data.mdx b/api_docs/data.mdx index 788e7a53c2d2d6..d4f90f5a9f2ac4 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3245 | 39 | 2853 | 48 | +| 3337 | 39 | 2936 | 26 | ## Client diff --git a/api_docs/data_autocomplete.json b/api_docs/data_autocomplete.json index 4b56c3517f44d6..63229979a60822 100644 --- a/api_docs/data_autocomplete.json +++ b/api_docs/data_autocomplete.json @@ -278,7 +278,14 @@ "label": "method", "description": [], "signature": [ - "\"terms_enum\" | \"terms_agg\" | undefined" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataPluginApi", + "section": "def-common.ValueSuggestionsMethod", + "text": "ValueSuggestionsMethod" + }, + " | undefined" ], "path": "src/plugins/data/public/autocomplete/providers/query_suggestion_provider.ts", "deprecated": false diff --git a/api_docs/data_autocomplete.mdx b/api_docs/data_autocomplete.mdx index 6e9dde9192a2b3..a360f356765a2a 100644 --- a/api_docs/data_autocomplete.mdx +++ b/api_docs/data_autocomplete.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3245 | 39 | 2853 | 48 | +| 3337 | 39 | 2936 | 26 | ## Client diff --git a/api_docs/data_enhanced.mdx b/api_docs/data_enhanced.mdx index 7da000f78f61d5..f645a9721d37eb 100644 --- a/api_docs/data_enhanced.mdx +++ b/api_docs/data_enhanced.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 16 | 0 | 16 | 2 | diff --git a/api_docs/data_query.json b/api_docs/data_query.json index 7ea3b2347e3950..325ec6c06a36d7 100644 --- a/api_docs/data_query.json +++ b/api_docs/data_query.json @@ -26,13 +26,7 @@ "text": "PersistableStateService" }, "<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]>" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -83,13 +77,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -106,13 +94,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -129,13 +111,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -151,8 +127,7 @@ "label": "getPartitionedFilters", "description": [], "signature": [ - "() => ", - "PartitionedFilters" + "() => PartitionedFilters" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", "deprecated": false, @@ -202,21 +177,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], pinFilterStatus?: boolean) => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -230,21 +193,9 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -277,13 +228,7 @@ "description": [], "signature": [ "(newFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], pinFilterStatus?: boolean) => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -297,13 +242,7 @@ "label": "newFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -338,13 +277,7 @@ ], "signature": [ "(newGlobalFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -358,13 +291,7 @@ "label": "newGlobalFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -385,13 +312,7 @@ ], "signature": [ "(newAppFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -405,13 +326,7 @@ "label": "newAppFilters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -430,13 +345,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ") => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -450,13 +359,7 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", "deprecated": false, @@ -489,21 +392,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", ", shouldOverrideStore?: boolean) => void" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -517,13 +408,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -538,13 +423,7 @@ "label": "store", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - } + "FilterStateStore" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", "deprecated": false, @@ -576,21 +455,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => { state: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]; references: ", "SavedObjectReference", "[]; }" @@ -607,13 +474,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/query/persistable_state.ts", @@ -630,23 +491,11 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], references: ", "SavedObjectReference", "[]) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -661,13 +510,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/query/persistable_state.ts", @@ -698,13 +541,7 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], collector: unknown) => {}" ], "path": "src/plugins/data/public/query/filter_manager/filter_manager.ts", @@ -719,13 +556,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/query/persistable_state.ts", @@ -909,13 +740,7 @@ "text": "QueryState" }, ">({ timefilter: { timefilter }, filterManager, queryString, state$, }: Pick<{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -924,9 +749,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -1019,13 +844,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; } | { filterManager: ", { "pluginId": "data", @@ -1036,9 +855,9 @@ }, "; timefilter: ", "TimefilterSetup", - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; state$: ", + "; queryString: ", + "QueryStringContract", + "; state$: ", "Observable", "<{ changes: ", { @@ -1065,13 +884,7 @@ "text": "BaseStateContainer" }, ", syncConfig: { time?: boolean | undefined; refreshInterval?: boolean | undefined; filters?: boolean | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined; query?: boolean | undefined; }) => () => void" ], "path": "src/plugins/data/public/query/state_sync/connect_to_query_state.ts", @@ -1086,13 +899,7 @@ "description": [], "signature": [ "Pick<{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -1101,9 +908,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -1196,13 +1003,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; } | { filterManager: ", { "pluginId": "data", @@ -1213,9 +1014,9 @@ }, "; timefilter: ", "TimefilterSetup", - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; state$: ", + "; queryString: ", + "QueryStringContract", + "; state$: ", "Observable", "<{ changes: ", { @@ -1307,13 +1108,7 @@ "description": [], "signature": [ "boolean | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", " | undefined" ], "path": "src/plugins/data/public/query/state_sync/connect_to_query_state.ts", @@ -1448,21 +1243,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[], timeFieldName: string | undefined) => { restOfFilters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]; timeRange?: ", { "pluginId": "data", @@ -1484,13 +1267,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/timefilter/lib/extract_time_filter.ts", @@ -1542,13 +1319,7 @@ "text": "IFieldType" }, ", values: any, operation: string, index: string) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/public/query/filter_manager/lib/generate_filters.ts", @@ -1661,11 +1432,7 @@ "label": "getDefaultQuery", "description": [], "signature": [ - "(language: ", - "QueryLanguage", - ") => { query: string; language: ", - "QueryLanguage", - "; }" + "(language: QueryLanguage) => { query: string; language: QueryLanguage; }" ], "path": "src/plugins/data/public/query/lib/get_default_query.ts", "deprecated": false, @@ -1697,13 +1464,7 @@ "description": [], "signature": [ "(filter: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", ", indexPatterns: ", { "pluginId": "dataViews", @@ -1725,13 +1486,7 @@ "label": "filter", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/public/query/filter_manager/lib/get_display_value.ts", "deprecated": false, @@ -1773,13 +1528,7 @@ ], "signature": [ "(query: Pick<{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -1788,9 +1537,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -1883,13 +1632,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; } | { filterManager: ", { "pluginId": "data", @@ -1900,9 +1643,9 @@ }, "; timefilter: ", "TimefilterSetup", - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; state$: ", + "; queryString: ", + "QueryStringContract", + "; state$: ", "Observable", "<{ changes: ", { @@ -1942,13 +1685,7 @@ "description": [], "signature": [ "Pick<{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -1957,9 +1694,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -2052,13 +1789,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; } | { filterManager: ", { "pluginId": "data", @@ -2069,9 +1800,9 @@ }, "; timefilter: ", "TimefilterSetup", - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; state$: ", + "; queryString: ", + "QueryStringContract", + "; state$: ", "Observable", "<{ changes: ", { @@ -2183,13 +1914,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/data/public/query/state_sync/types.ts", @@ -2203,13 +1928,7 @@ "label": "query", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/data/public/query/state_sync/types.ts", @@ -2610,13 +2329,7 @@ "description": [], "signature": [ "{ addToQueryLog: (appName: string, { language, query }: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void; filterManager: ", { "pluginId": "data", @@ -2625,9 +2338,9 @@ "section": "def-public.FilterManager", "text": "FilterManager" }, - "; queryString: Pick<", - "QueryStringManager", - ", \"getDefaultQuery\" | \"formatQuery\" | \"getUpdates$\" | \"getQuery\" | \"setQuery\" | \"clearQuery\">; savedQueries: { createQuery: (attributes: ", + "; queryString: ", + "QueryStringContract", + "; savedQueries: { createQuery: (attributes: ", { "pluginId": "data", "scope": "common", @@ -2720,13 +2433,7 @@ "text": "TimeRange" }, " | undefined) => { bool: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.BoolQuery", - "text": "BoolQuery" - }, + "BoolQuery", "; }; }" ], "path": "src/plugins/data/public/query/query_service.ts", @@ -2839,24 +2546,10 @@ "text": "TimeRange" }, " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined; createRelativeFilter: (indexPattern: ", + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined; createRelativeFilter: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -2873,24 +2566,10 @@ "text": "TimeRange" }, " | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, + "RangeFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, - " | ", - "MatchAllRangeFilter", - " | undefined; getBounds: () => ", + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined; getBounds: () => ", { "pluginId": "data", "scope": "common", @@ -2952,7 +2631,7 @@ "label": "TimeHistoryContract", "description": [], "signature": [ - "{ get: () => ", + "{ add: (time: ", { "pluginId": "data", "scope": "common", @@ -2960,7 +2639,7 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - "[]; add: (time: ", + ") => void; get: () => ", { "pluginId": "data", "scope": "common", @@ -2968,7 +2647,7 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => void; }" + "[]; }" ], "path": "src/plugins/data/public/query/timefilter/time_history.ts", "deprecated": false, @@ -3156,24 +2835,10 @@ "text": "TimeRange" }, ", options: { forceNow?: Date | undefined; fieldName?: string | undefined; } | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, + "RangeFilter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, - " | ", - "MatchAllRangeFilter", - " | undefined" + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined" ], "path": "src/plugins/data/common/query/timefilter/get_time.ts", "deprecated": false, @@ -3286,24 +2951,10 @@ "text": "TimeRange" }, ", options: { forceNow?: Date | undefined; fieldName?: string | undefined; } | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.ScriptedRangeFilter", - "text": "ScriptedRangeFilter" - }, + "RangeFilter", " | ", - "MatchAllRangeFilter", - " | undefined" + "ScriptedRangeFilter", + " | MatchAllRangeFilter | undefined" ], "path": "src/plugins/data/common/query/timefilter/get_time.ts", "deprecated": false, @@ -3400,13 +3051,7 @@ "description": [], "signature": [ "(x: unknown) => x is ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/common/query/is_query.ts", "deprecated": false, @@ -3562,13 +3207,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/data/common/query/types.ts", diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index be6aa6914281b5..3bd8b466b8a041 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3245 | 39 | 2853 | 48 | +| 3337 | 39 | 2936 | 26 | ## Client diff --git a/api_docs/data_search.json b/api_docs/data_search.json index b741a284e50621..5d044ef00a71a7 100644 --- a/api_docs/data_search.json +++ b/api_docs/data_search.json @@ -46,9 +46,15 @@ "\nCreates an observable that emits when next search session completes.\nThis utility is helpful to use in the application to delay some tasks until next session completes.\n" ], "signature": [ - "(sessionService: Pick<", - "SessionService", - ", \"destroy\" | \"start\" | \"state$\" | \"sessionMeta$\" | \"hasAccess\" | \"trackSearch\" | \"getSessionId\" | \"getSession$\" | \"isStored\" | \"isRestore\" | \"restore\" | \"continue\" | \"clear\" | \"cancel\" | \"save\" | \"renameCurrentSession\" | \"isCurrentSession\" | \"getSearchOptions\" | \"enableStorage\" | \"isSessionStorageReady\" | \"getSearchSessionIndicatorUiConfig\">, { waitForIdle = 1000 }: ", + "(sessionService: ", + { + "pluginId": "data", + "scope": "public", + "docId": "kibDataSearchPluginApi", + "section": "def-public.ISessionService", + "text": "ISessionService" + }, + ", { waitForIdle = 1000 }: ", { "pluginId": "data", "scope": "public", @@ -78,12 +84,16 @@ "tags": [], "label": "sessionService", "description": [ - "- {@link ISessionService}" + "- {@link ISessionService }" ], "signature": [ - "Pick<", - "SessionService", - ", \"destroy\" | \"start\" | \"state$\" | \"sessionMeta$\" | \"hasAccess\" | \"trackSearch\" | \"getSessionId\" | \"getSession$\" | \"isStored\" | \"isRestore\" | \"restore\" | \"continue\" | \"clear\" | \"cancel\" | \"save\" | \"renameCurrentSession\" | \"isCurrentSession\" | \"getSearchOptions\" | \"enableStorage\" | \"isSessionStorageReady\" | \"getSearchSessionIndicatorUiConfig\">" + { + "pluginId": "data", + "scope": "public", + "docId": "kibDataSearchPluginApi", + "section": "def-public.ISessionService", + "text": "ISessionService" + } ], "path": "src/plugins/data/public/search/session/session_helpers.ts", "deprecated": false, @@ -135,7 +145,13 @@ "label": "aggs", "description": [], "signature": [ - "AggsCommonSetup" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonSetup", + "text": "AggsCommonSetup" + } ], "path": "src/plugins/data/public/search/types.ts", "deprecated": false @@ -148,7 +164,13 @@ "label": "usageCollector", "description": [], "signature": [ - "SearchUsageCollector", + { + "pluginId": "data", + "scope": "public", + "docId": "kibDataSearchPluginApi", + "section": "def-public.SearchUsageCollector", + "text": "SearchUsageCollector" + }, " | undefined" ], "path": "src/plugins/data/public/search/types.ts", @@ -164,7 +186,7 @@ "\nCurrent session management\n{@link ISessionService}" ], "signature": [ - "{ destroy: () => void; start: () => string; readonly state$: ", + "{ start: () => string; save: () => Promise; destroy: () => void; readonly state$: ", "Observable", "<", { @@ -178,11 +200,9 @@ "Observable", "<", "SessionMeta", - ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: ", - "TrackSearchDescriptor", - ") => () => void; getSessionId: () => string | undefined; getSession$: () => ", + ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: TrackSearchDescriptor) => () => void; getSessionId: () => string | undefined; getSession$: () => ", "Observable", - "; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; save: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required, searchSessionIndicatorUiConfig?: ", - "SearchSessionIndicatorUiConfig", - " | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => ", - "SearchSessionIndicatorUiConfig", - "; }" + "

    , searchSessionIndicatorUiConfig?: SearchSessionIndicatorUiConfig | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => SearchSessionIndicatorUiConfig; }" ], "path": "src/plugins/data/public/search/types.ts", "deprecated": false @@ -227,7 +243,7 @@ "signature": [ "{ create: ({ name, appId, locatorId, initialState, restoreState, sessionId, }: { name: string; appId: string; locatorId: string; initialState: Record; restoreState: Record; sessionId: string; }) => Promise<", "SearchSessionSavedObject", - ">; delete: (sessionId: string) => Promise; find: (options: Pick<", + ">; delete: (sessionId: string) => Promise; find: (options: Omit<", { "pluginId": "core", "scope": "server", @@ -235,7 +251,7 @@ "section": "def-server.SavedObjectsFindOptions", "text": "SavedObjectsFindOptions" }, - ", \"filter\" | \"aggs\" | \"fields\" | \"searchAfter\" | \"page\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\" | \"pit\">) => Promise<", + ", \"type\">) => Promise<", { "pluginId": "core", "scope": "server", @@ -379,40 +395,30 @@ "section": "def-common.IndexPattern", "text": "IndexPattern" }, - ", configStates?: Pick & Pick<{ type: string | ", + ", configStates?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, \"type\"> & Pick<{ type: string | ", + "[] | undefined) => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.AggConfigs", + "text": "AggConfigs" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">[] | undefined) => ", + "; types: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.AggConfigs", - "text": "AggConfigs" + "section": "def-common.AggTypesRegistryStart", + "text": "AggTypesRegistryStart" }, - "; types: ", - "AggTypesRegistryStart", "; }" ], "path": "src/plugins/data/public/search/types.ts", @@ -572,7 +578,7 @@ "\nCurrent session management\n{@link ISessionService}" ], "signature": [ - "{ destroy: () => void; start: () => string; readonly state$: ", + "{ start: () => string; save: () => Promise; destroy: () => void; readonly state$: ", "Observable", "<", { @@ -586,11 +592,9 @@ "Observable", "<", "SessionMeta", - ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: ", - "TrackSearchDescriptor", - ") => () => void; getSessionId: () => string | undefined; getSession$: () => ", + ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: TrackSearchDescriptor) => () => void; getSessionId: () => string | undefined; getSession$: () => ", "Observable", - "; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; save: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required, searchSessionIndicatorUiConfig?: ", - "SearchSessionIndicatorUiConfig", - " | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => ", - "SearchSessionIndicatorUiConfig", - "; }" + "

    , searchSessionIndicatorUiConfig?: SearchSessionIndicatorUiConfig | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => SearchSessionIndicatorUiConfig; }" ], "path": "src/plugins/data/public/search/types.ts", "deprecated": false @@ -635,7 +635,7 @@ "signature": [ "{ create: ({ name, appId, locatorId, initialState, restoreState, sessionId, }: { name: string; appId: string; locatorId: string; initialState: Record; restoreState: Record; sessionId: string; }) => Promise<", "SearchSessionSavedObject", - ">; delete: (sessionId: string) => Promise; find: (options: Pick<", + ">; delete: (sessionId: string) => Promise; find: (options: Omit<", { "pluginId": "core", "scope": "server", @@ -643,7 +643,7 @@ "section": "def-server.SavedObjectsFindOptions", "text": "SavedObjectsFindOptions" }, - ", \"filter\" | \"aggs\" | \"fields\" | \"searchAfter\" | \"page\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\" | \"pit\">) => Promise<", + ", \"type\">) => Promise<", { "pluginId": "core", "scope": "server", @@ -773,7 +773,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data/public/search/errors/types.ts", "deprecated": false @@ -879,6 +880,229 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector", + "type": "Interface", + "tags": [], + "label": "SearchUsageCollector", + "description": [], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackQueryTimedOut", + "type": "Function", + "tags": [], + "label": "trackQueryTimedOut", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionIndicatorTourLoading", + "type": "Function", + "tags": [], + "label": "trackSessionIndicatorTourLoading", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionIndicatorTourRestored", + "type": "Function", + "tags": [], + "label": "trackSessionIndicatorTourRestored", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionIndicatorSaveDisabled", + "type": "Function", + "tags": [], + "label": "trackSessionIndicatorSaveDisabled", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionSentToBackground", + "type": "Function", + "tags": [], + "label": "trackSessionSentToBackground", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionSavedResults", + "type": "Function", + "tags": [], + "label": "trackSessionSavedResults", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionViewRestored", + "type": "Function", + "tags": [], + "label": "trackSessionViewRestored", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionIsRestored", + "type": "Function", + "tags": [], + "label": "trackSessionIsRestored", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionReloaded", + "type": "Function", + "tags": [], + "label": "trackSessionReloaded", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionExtended", + "type": "Function", + "tags": [], + "label": "trackSessionExtended", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionCancelled", + "type": "Function", + "tags": [], + "label": "trackSessionCancelled", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionDeleted", + "type": "Function", + "tags": [], + "label": "trackSessionDeleted", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackViewSessionsList", + "type": "Function", + "tags": [], + "label": "trackViewSessionsList", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-public.SearchUsageCollector.trackSessionsListLoaded", + "type": "Function", + "tags": [], + "label": "trackSessionsListLoaded", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "src/plugins/data/public/search/collectors/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + } + ], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-public.WaitUntilNextSessionCompletesOptions", @@ -941,9 +1165,7 @@ "section": "def-common.KibanaServerError", "text": "KibanaServerError" }, - "<", - "IEsErrorAttributes", - ">" + "" ], "path": "src/plugins/data/public/search/errors/types.ts", "deprecated": false, @@ -959,7 +1181,7 @@ "signature": [ "{ create: ({ name, appId, locatorId, initialState, restoreState, sessionId, }: { name: string; appId: string; locatorId: string; initialState: Record; restoreState: Record; sessionId: string; }) => Promise<", "SearchSessionSavedObject", - ">; delete: (sessionId: string) => Promise; find: (options: Pick<", + ">; delete: (sessionId: string) => Promise; find: (options: Omit<", { "pluginId": "core", "scope": "server", @@ -967,7 +1189,7 @@ "section": "def-server.SavedObjectsFindOptions", "text": "SavedObjectsFindOptions" }, - ", \"filter\" | \"aggs\" | \"fields\" | \"searchAfter\" | \"page\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\" | \"pit\">) => Promise<", + ", \"type\">) => Promise<", { "pluginId": "core", "scope": "server", @@ -1039,7 +1261,7 @@ "label": "ISessionService", "description": [], "signature": [ - "{ destroy: () => void; start: () => string; readonly state$: ", + "{ start: () => string; save: () => Promise; destroy: () => void; readonly state$: ", "Observable", "<", { @@ -1053,11 +1275,9 @@ "Observable", "<", "SessionMeta", - ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: ", - "TrackSearchDescriptor", - ") => () => void; getSessionId: () => string | undefined; getSession$: () => ", + ">; hasAccess: () => boolean; trackSearch: (searchDescriptor: TrackSearchDescriptor) => () => void; getSessionId: () => string | undefined; getSession$: () => ", "Observable", - "; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; save: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required; isStored: () => boolean; isRestore: () => boolean; restore: (sessionId: string) => void; continue: (sessionId: string) => void; clear: () => void; cancel: () => Promise; renameCurrentSession: (newName: string) => Promise; isCurrentSession: (sessionId?: string | undefined) => boolean; getSearchOptions: (sessionId?: string | undefined) => Required, searchSessionIndicatorUiConfig?: ", - "SearchSessionIndicatorUiConfig", - " | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => ", - "SearchSessionIndicatorUiConfig", - "; }" + "

    , searchSessionIndicatorUiConfig?: SearchSessionIndicatorUiConfig | undefined) => void; isSessionStorageReady: () => boolean; getSearchSessionIndicatorUiConfig: () => SearchSessionIndicatorUiConfig; }" ], "path": "src/plugins/data/public/search/session/session_service.ts", "deprecated": false, @@ -1186,9 +1402,9 @@ "section": "def-server.AsyncSearchStatusResponse", "text": "AsyncSearchStatusResponse" }, - " extends Pick<", + " extends Omit<", "AsyncSearchResponse", - ", \"id\" | \"start_time_in_millis\" | \"expiration_time_in_millis\" | \"is_partial\" | \"is_running\">" + ", \"response\">" ], "path": "src/plugins/data/server/search/strategies/ese_search/types.ts", "deprecated": false, @@ -1219,6 +1435,55 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-server.DataRequestHandlerContext", + "type": "Interface", + "tags": [], + "label": "DataRequestHandlerContext", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "server", + "docId": "kibDataSearchPluginApi", + "section": "def-server.DataRequestHandlerContext", + "text": "DataRequestHandlerContext" + }, + " extends ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCorePluginApi", + "section": "def-server.RequestHandlerContext", + "text": "RequestHandlerContext" + } + ], + "path": "src/plugins/data/server/search/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-server.DataRequestHandlerContext.search", + "type": "Object", + "tags": [], + "label": "search", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "server", + "docId": "kibDataSearchPluginApi", + "section": "def-server.IScopedSearchClient", + "text": "IScopedSearchClient" + } + ], + "path": "src/plugins/data/server/search/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-server.IScopedSearchClient", @@ -1323,7 +1588,7 @@ "label": "findSessions", "description": [], "signature": [ - "(options: Pick<", + "(options: Omit<", { "pluginId": "core", "scope": "server", @@ -1331,7 +1596,7 @@ "section": "def-server.SavedObjectsFindOptions", "text": "SavedObjectsFindOptions" }, - ", \"filter\" | \"aggs\" | \"fields\" | \"searchAfter\" | \"page\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\" | \"pit\">) => Promise<", + ", \"type\">) => Promise<", { "pluginId": "core", "scope": "server", @@ -1353,9 +1618,11 @@ "label": "options", "description": [], "signature": [ - "{ filter?: any; aggs?: Record | undefined; fields?: string[] | undefined; searchAfter?: string[] | undefined; page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | \"_doc\" | undefined; search?: string | undefined; searchFields?: string[] | undefined; rootSearchFields?: string[] | undefined; hasReference?: ", + "> | undefined; fields?: string[] | undefined; searchAfter?: string[] | undefined; page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: ", + "SearchSortOrder", + " | undefined; searchFields?: string[] | undefined; rootSearchFields?: string[] | undefined; hasReference?: ", { "pluginId": "core", "scope": "server", @@ -2221,15 +2488,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -2593,31 +2860,13 @@ "label": "opts", "description": [], "signature": [ - "Pick & Pick<{ type: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">" + "section": "def-common.AggConfigOptions", + "text": "AggConfigOptions" + } ], "path": "src/plugins/data/common/search/aggs/agg_config.ts", "deprecated": false, @@ -2838,15 +3087,15 @@ "\n Hook for pre-flight logic, see AggType#onSearchRequestStart" ], "signature": [ - "(searchSource: Pick<", + "(searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">, options?: ", + ", options?: ", { "pluginId": "data", "scope": "common", @@ -2867,15 +3116,13 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/aggs/agg_config.ts", "deprecated": false, @@ -3180,6 +3427,21 @@ ], "returnComment": [] }, + { + "parentPluginId": "data", + "id": "def-common.AggConfig.getResponseId", + "type": "Function", + "tags": [], + "label": "getResponseId", + "description": [], + "signature": [ + "() => string" + ], + "path": "src/plugins/data/common/search/aggs/agg_config.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, { "parentPluginId": "data", "id": "def-common.AggConfig.getKey", @@ -3660,31 +3922,14 @@ "label": "configStates", "description": [], "signature": [ - "Pick & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: string | ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">[]" + "[]" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -3905,31 +4150,15 @@ "section": "def-common.AggConfig", "text": "AggConfig" }, - ">(params: Pick & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: string | ", + ">(params: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">, { addToAggConfigs }?: { addToAggConfigs?: boolean | undefined; }) => T" + ", { addToAggConfigs }?: { addToAggConfigs?: boolean | undefined; }) => T" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -3942,31 +4171,13 @@ "label": "params", "description": [], "signature": [ - "Pick & Pick<{ type: string | ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, \"type\"> & Pick<{ type: string | ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" - }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" + } ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -4380,14 +4591,8 @@ "description": [], "signature": [ "(forceNow?: Date | undefined) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.RangeFilter", - "text": "RangeFilter" - }, - "[] | { meta: { index: string | undefined; params: {}; alias: string; disabled: boolean; negate: boolean; }; query: { bool: { should: { bool: { filter: { range: { [x: string]: { gte: string; lte: string; }; }; }[]; }; }[]; minimum_should_match: number; }; }; }[]" + "RangeFilter", + "[] | { meta: { index: string | undefined; params: {}; alias: string; disabled: boolean; negate: boolean; }; query: { bool: { should: { bool: { filter: { range: { [x: string]: { format: string; gte: string; lte: string; }; }; }[]; }; }[]; minimum_should_match: number; }; }; }[]" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -4579,15 +4784,15 @@ "label": "onSearchRequestStart", "description": [], "signature": [ - "(searchSource: Pick<", + "(searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">, options?: ", + ", options?: ", { "pluginId": "data", "scope": "common", @@ -4608,15 +4813,13 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -4802,9 +5005,21 @@ "description": [], "signature": [ "({ registerFunction }: ", - "AggsCommonSetupDependencies", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonSetupDependencies", + "text": "AggsCommonSetupDependencies" + }, ") => ", - "AggsCommonSetup" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonSetup", + "text": "AggsCommonSetup" + } ], "path": "src/plugins/data/common/search/aggs/aggs_service.ts", "deprecated": false, @@ -4817,7 +5032,13 @@ "label": "{ registerFunction }", "description": [], "signature": [ - "AggsCommonSetupDependencies" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonSetupDependencies", + "text": "AggsCommonSetupDependencies" + } ], "path": "src/plugins/data/common/search/aggs/aggs_service.ts", "deprecated": false, @@ -4835,9 +5056,21 @@ "description": [], "signature": [ "({ getConfig, getIndexPattern, isDefaultTimezone, }: ", - "AggsCommonStartDependencies", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonStartDependencies", + "text": "AggsCommonStartDependencies" + }, ") => ", - "AggsCommonStart" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonStart", + "text": "AggsCommonStart" + } ], "path": "src/plugins/data/common/search/aggs/aggs_service.ts", "deprecated": false, @@ -4850,7 +5083,13 @@ "label": "{\n getConfig,\n getIndexPattern,\n isDefaultTimezone,\n }", "description": [], "signature": [ - "AggsCommonStartDependencies" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggsCommonStartDependencies", + "text": "AggsCommonStartDependencies" + } ], "path": "src/plugins/data/common/search/aggs/aggs_service.ts", "deprecated": false, @@ -4975,7 +5214,14 @@ "\nThe type the values produced by this agg will have in the final data table.\nIf not specified, the type of the field is used." ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\" | undefined" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableColumnType", + "text": "DatatableColumnType" + }, + " | undefined" ], "path": "src/plugins/data/common/search/aggs/agg_type.ts", "deprecated": false @@ -5218,15 +5464,15 @@ "section": "def-common.AggConfigs", "text": "AggConfigs" }, - ", aggConfig: TAggConfig, searchSource: Pick<", + ", aggConfig: TAggConfig, searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">, inspectorRequestAdapter?: ", + ", inspectorRequestAdapter?: ", { "pluginId": "inspector", "scope": "common", @@ -5302,7 +5548,25 @@ "label": "searchSource", "description": [], "signature": [ - "{ history: Record[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", + "{ create: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSource", + "text": "SearchSource" + }, + "; history: ", + "SearchRequest", + "[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", { "pluginId": "data", "scope": "common", @@ -5318,7 +5582,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; removeField: (field: K) => ", + "; removeField: (field: K) => ", { "pluginId": "data", "scope": "common", @@ -5350,7 +5622,7 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "; getField: (field: K, recurse?: boolean) => ", + "; getField: (field: K) => ", + ">(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -5366,15 +5638,23 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "[K]; create: () => ", + "[K]; getOwnField: (field: K) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" }, - "; createCopy: () => ", + "[K]; createCopy: () => ", { "pluginId": "data", "scope": "common", @@ -5390,15 +5670,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; setParent: (parent?: Pick<", + "; setParent: (parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -5473,8 +5753,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, "; serialize: () => { searchSourceJSON: string; references: ", "SavedObjectReference", @@ -5759,6 +6039,41 @@ ], "returnComment": [] }, + { + "parentPluginId": "data", + "id": "def-common.AggType.getResponseId", + "type": "Function", + "tags": [ + "return" + ], + "label": "getResponseId", + "description": [ + "\nReturns the key of the object containing the results of the agg in the Elasticsearch response object.\nIn most cases this returns the `agg.id` property, but in some cases the response object is structured differently.\nIn the following example of a terms agg, `getResponseId` returns \"myAgg\":\n```\n{\n \"aggregations\": {\n \"myAgg\": {\n \"doc_count_error_upper_bound\": 0,\n \"sum_other_doc_count\": 0,\n \"buckets\": [\n...\n```\n" + ], + "signature": [ + "(agg: TAggConfig) => string" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggType.getResponseId.$1", + "type": "Uncategorized", + "tags": [], + "label": "agg", + "description": [ + "- the agg to return the id in the ES reponse object for" + ], + "signature": [ + "TAggConfig" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false + } + ] + }, { "parentPluginId": "data", "id": "def-common.AggType.Unnamed", @@ -5833,7 +6148,13 @@ "description": [], "signature": [ "() => { registerBucket: ", { "pluginId": "data", @@ -5843,7 +6164,13 @@ "text": "BucketAggType" }, ">(name: N, type: T) => void; registerMetric: ", { "pluginId": "data", @@ -6192,15 +6519,15 @@ "\n A function that will be called before an aggConfig is serialized and sent to ES.\n Allows aggConfig to retrieve values needed for serialization\n Example usage: an aggregation needs to know the min/max of a field to determine an appropriate interval\n" ], "signature": [ - "(aggConfig: TAggConfig, searchSource?: Pick<", + "(aggConfig: TAggConfig, searchSource?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -6235,15 +6562,14 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/aggs/param_types/base.ts", "deprecated": false @@ -6748,21 +7074,9 @@ "label": "filterFieldTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", " | \"*\" | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/data/common/search/aggs/param_types/field.ts", @@ -7476,7 +7790,8 @@ "label": "history", "description": [], "signature": [ - "Record[]" + "SearchRequest", + "[]" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false @@ -7581,7 +7896,15 @@ "\nsets value to a single search source field" ], "signature": [ - "(field: K, value: ", + "(field: K, value: ", { "pluginId": "data", "scope": "common", @@ -7646,7 +7969,15 @@ "\nremove field" ], "signature": [ - "(field: K) => this" + "(field: K) => this" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false, @@ -7771,7 +8102,15 @@ "\nGets a single field from the fields" ], "signature": [ - "(field: K, recurse?: boolean) => ", + "(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -7825,7 +8164,15 @@ "\nGet the field from our own fields, don't traverse up the chain" ], "signature": [ - "(field: K) => ", + "(field: K) => ", { "pluginId": "data", "scope": "common", @@ -7964,15 +8311,15 @@ "\nSet a searchSource that this source should inherit from" ], "signature": [ - "(parent?: Pick<", + "(parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -7995,15 +8342,14 @@ "- the parent searchSource" ], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/search_source/search_source.ts", "deprecated": false, @@ -8319,8 +8665,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/search_source.ts", @@ -8398,15 +8744,15 @@ "label": "start", "description": [], "signature": [ - "(indexPatterns: Pick<", + "(indexPatterns: ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" + "section": "def-common.DataViewsContract", + "text": "DataViewsContract" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">, dependencies: ", + ", dependencies: ", { "pluginId": "data", "scope": "common", @@ -8419,8 +8765,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, ") => Promise<", { @@ -8438,8 +8784,60 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; }" - ], + "; extract: (state: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + ") => { state: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + "; references: ", + "SavedObjectReference", + "[]; }; inject: (searchSourceFields: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + " & { indexRefName: string; }, references: ", + "SavedObjectReference", + "[]) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + "; getAllMigrations: () => { [x: string]: ", + { + "pluginId": "kibanaUtils", + "scope": "common", + "docId": "kibKibanaUtilsPluginApi", + "section": "def-common.MigrateFunction", + "text": "MigrateFunction" + }, + "; } & ", + { + "pluginId": "kibanaUtils", + "scope": "common", + "docId": "kibKibanaUtilsPluginApi", + "section": "def-common.MigrateFunctionsObject", + "text": "MigrateFunctionsObject" + }, + "; telemetry: () => {}; }" + ], "path": "src/plugins/data/common/search/search_source/search_source_service.ts", "deprecated": false, "children": [ @@ -8451,15 +8849,13 @@ "label": "indexPatterns", "description": [], "signature": [ - "Pick<", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" - }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">" + "section": "def-common.DataViewsContract", + "text": "DataViewsContract" + } ], "path": "src/plugins/data/common/search/search_source/search_source_service.ts", "deprecated": false, @@ -8753,6 +9149,22 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggDiversifiedSampler", + "type": "Function", + "tags": [], + "label": "aggDiversifiedSampler", + "description": [], + "signature": [ + "() => FunctionDefinition" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler_fn.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.aggFilter", @@ -8961,6 +9373,22 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggMultiTerms", + "type": "Function", + "tags": [], + "label": "aggMultiTerms", + "description": [], + "signature": [ + "() => FunctionDefinition" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms_fn.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.aggPercentileRanks", @@ -9009,6 +9437,22 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggSampler", + "type": "Function", + "tags": [], + "label": "aggSampler", + "description": [], + "signature": [ + "() => FunctionDefinition" + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler_fn.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.aggSerialDiff", @@ -9457,15 +9901,15 @@ "\nDeserializes a json string and a set of referenced objects to a `SearchSource` instance.\nUse this method to re-create the search source serialized using `searchSource.serialize`.\n\nThis function is a factory function that returns the actual utility when calling it with the\nrequired service dependency (index patterns contract). A pre-wired version is also exposed in\nthe start contract of the data plugin as part of the search service\n" ], "signature": [ - "(indexPatterns: Pick<", + "(indexPatterns: ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" + "section": "def-common.DataViewsContract", + "text": "DataViewsContract" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">, searchSourceDependencies: ", + ", searchSourceDependencies: ", { "pluginId": "data", "scope": "common", @@ -9478,8 +9922,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, ") => Promise<", { @@ -9504,15 +9948,13 @@ "The index patterns contract of the data plugin" ], "signature": [ - "Pick<", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" - }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">" + "section": "def-common.DataViewsContract", + "text": "DataViewsContract" + } ], "path": "src/plugins/data/common/search/search_source/create_search_source.ts", "deprecated": false, @@ -9696,18 +10138,18 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, ") => [", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, - " & { indexRefName?: string | undefined; }, ", + ", ", "SavedObjectReference", "[]]" ], @@ -9726,8 +10168,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/extract_references.ts", @@ -9747,21 +10189,9 @@ "description": [], "signature": [ "(filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]) => ", { "pluginId": "expressions", @@ -9783,21 +10213,9 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[]" ], "path": "src/plugins/data/common/search/expressions/filters_to_ast.ts", @@ -9826,9 +10244,7 @@ "section": "def-common.IndexPattern", "text": "IndexPattern" }, - " | undefined, params: ", - "TabifyDocsOptions", - " | undefined) => Record" + " | undefined, params: TabifyDocsOptions | undefined) => Record" ], "path": "src/plugins/data/common/search/tabify/tabify_docs.ts", "deprecated": false, @@ -9882,8 +10298,7 @@ "Parameters how to flatten the hit" ], "signature": [ - "TabifyDocsOptions", - " | undefined" + "TabifyDocsOptions | undefined" ], "path": "src/plugins/data/common/search/tabify/tabify_docs.ts", "deprecated": false, @@ -10586,6 +11001,40 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.getDiversifiedSamplerBucketAgg", + "type": "Function", + "tags": [], + "label": "getDiversifiedSamplerBucketAgg", + "description": [ + "\nLike the sampler aggregation this is a filtering aggregation used to limit any sub aggregations' processing to a sample of the top-scoring documents.\nThe diversified_sampler aggregation adds the ability to limit the number of matches that share a common value." + ], + "signature": [ + "() => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + "<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.IBucketAggConfig", + "text": "IBucketAggConfig" + }, + ">" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.getEsdslFn", @@ -10594,9 +11043,7 @@ "label": "getEsdslFn", "description": [], "signature": [ - "({ getStartDependencies, }: { getStartDependencies: (getKibanaRequest: any) => Promise<", - "EsdslStartDependencies", - ">; }) => ", + "({ getStartDependencies, }: { getStartDependencies: (getKibanaRequest: any) => Promise; }) => ", { "pluginId": "data", "scope": "common", @@ -10626,9 +11073,7 @@ "label": "getStartDependencies", "description": [], "signature": [ - "(getKibanaRequest: any) => Promise<", - "EsdslStartDependencies", - ">" + "(getKibanaRequest: any) => Promise" ], "path": "src/plugins/data/common/search/expressions/esdsl.ts", "deprecated": false, @@ -11054,7 +11499,13 @@ "text": "KibanaRequest" }, ") | undefined) => Promise<", - "KibanaContextStartDependencies", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaContextStartDependencies", + "text": "KibanaContextStartDependencies" + }, ">) => ", { "pluginId": "data", @@ -11084,7 +11535,13 @@ "text": "KibanaRequest" }, ") | undefined) => Promise<", - "KibanaContextStartDependencies", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaContextStartDependencies", + "text": "KibanaContextStartDependencies" + }, ">" ], "path": "src/plugins/data/common/search/expressions/kibana_context.ts", @@ -11223,6 +11680,38 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.getMultiTermsBucketAgg", + "type": "Function", + "tags": [], + "label": "getMultiTermsBucketAgg", + "description": [], + "signature": [ + "() => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + "<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.IBucketAggConfig", + "text": "IBucketAggConfig" + }, + ">" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.getNumberHistogramIntervalByDatatableColumn", @@ -11467,15 +11956,15 @@ "signature": [ "(resp: ", "SearchResponse", - " | undefined, searchSource: Pick<", + " | undefined, searchSource: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined) => ", + " | undefined) => ", { "pluginId": "inspector", "scope": "common", @@ -11510,15 +11999,14 @@ "label": "searchSource", "description": [], "signature": [ - "Pick<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/search_source/inspect/inspector_stats.ts", "deprecated": false, @@ -11528,6 +12016,40 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.getSamplerBucketAgg", + "type": "Function", + "tags": [], + "label": "getSamplerBucketAgg", + "description": [ + "\nA filtering aggregation used to limit any sub aggregations' processing to a sample of the top-scoring documents." + ], + "signature": [ + "() => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + "<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.IBucketAggConfig", + "text": "IBucketAggConfig" + }, + ">" + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.getSearchParams", @@ -11581,7 +12103,9 @@ "label": "getSearchParamsFromRequest", "description": [], "signature": [ - "(searchRequest: Record, dependencies: { getConfig: ", + "(searchRequest: ", + "SearchRequest", + ", dependencies: { getConfig: ", { "pluginId": "data", "scope": "common", @@ -11609,7 +12133,7 @@ "label": "searchRequest", "description": [], "signature": [ - "Record" + "SearchRequest" ], "path": "src/plugins/data/common/search/search_source/fetch/get_search_params.ts", "deprecated": false, @@ -11894,9 +12418,7 @@ "label": "handleRequest", "description": [], "signature": [ - "({ abortSignal, aggs, filters, indexPattern, inspectorAdapters, partialRows, query, searchSessionId, searchSourceService, timeFields, timeRange, getNow, executionContext, }: ", - "RequestHandlerParams", - ") => ", + "({ abortSignal, aggs, filters, indexPattern, inspectorAdapters, partialRows, query, searchSessionId, searchSourceService, timeFields, timeRange, getNow, executionContext, }: RequestHandlerParams) => ", "Observable", "<", { @@ -12043,8 +12565,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " & { indexRefName: string; }, references: ", "SavedObjectReference", @@ -12053,8 +12575,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/inject_references.ts", @@ -12072,8 +12594,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " & { indexRefName: string; }" ], @@ -12804,8 +13326,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" } ], "path": "src/plugins/data/common/search/search_source/parse_json.ts", @@ -13041,13 +13563,7 @@ "description": [], "signature": [ "(query: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => ", { "pluginId": "expressions", @@ -13068,13 +13584,7 @@ "label": "query", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/common/search/expressions/query_to_ast.ts", "deprecated": false, @@ -13221,9 +13731,7 @@ "section": "def-common.IndexPattern", "text": "IndexPattern" }, - " | undefined, params?: ", - "TabifyDocsOptions", - ") => ", + " | undefined, params?: TabifyDocsOptions) => ", { "pluginId": "expressions", "scope": "common", @@ -13474,7 +13982,13 @@ "label": "typesRegistry", "description": [], "signature": [ - "AggTypesRegistryStart" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggTypesRegistryStart", + "text": "AggTypesRegistryStart" + } ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false @@ -13497,139 +14011,86 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping", + "id": "def-common.AggExpressionType", "type": "Interface", "tags": [], - "label": "AggFunctionsMapping", - "description": [ - "\nA global list of the expression function definitions for each agg type function." - ], + "label": "AggExpressionType", + "description": [], "path": "src/plugins/data/common/search/aggs/types.ts", "deprecated": false, "children": [ { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggFilter", + "id": "def-common.AggExpressionType.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"agg_type\"" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggExpressionType.value", "type": "Object", "tags": [], - "label": "aggFilter", + "label": "value", "description": [], "signature": [ + "{ type: string; enabled?: boolean | undefined; id?: string | undefined; params?: {} | ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionFunctionDefinition", - "text": "ExpressionFunctionDefinition" + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" }, - "<\"aggFilter\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ geo_bounding_box?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; filter?: ", + " | undefined; schema?: string | undefined; }" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggFunctionsMapping", + "type": "Interface", + "tags": [], + "label": "AggFunctionsMapping", + "description": [ + "\nA global list of the expression function definitions for each agg type function." + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggFunctionsMapping.aggFilter", + "type": "Object", + "tags": [], + "label": "aggFilter", + "description": [], + "signature": [ { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query\", ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, - "> | undefined; }, \"filter\" | \"geo_bounding_box\"> & Pick<{ geo_bounding_box?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "; bottom_left: ", + "<\"aggFilter\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; filter?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "<\"kibana_query\", ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, - "> | undefined; }, never>, \"filter\" | \"id\" | \"enabled\" | \"schema\" | \"geo_bounding_box\" | \"json\" | \"customLabel\" | \"timeShift\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -13674,50 +14135,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggFilters\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"timeShift\"> & Pick<{ filters?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query_filter\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" - }, - ">[] | undefined; }, \"filters\"> & Pick<{ filters?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query_filter\", ", + "<\"aggFilters\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, never>, \"filters\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"timeShift\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -13762,18 +14187,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSignificantTerms\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSignificantTerms\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.BUCKET_TYPES", - "text": "BUCKET_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SIGNIFICANT_TERMS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -13818,82 +14239,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggIpRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\"> & Pick<{ ranges?: (", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"cidr\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.Cidr", - "text": "Cidr" - }, - "> | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ip_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IpRange", - "text": "IpRange" - }, - ">)[] | undefined; ipRangeType?: string | undefined; }, \"ipRangeType\" | \"ranges\"> & Pick<{ ranges?: (", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"cidr\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.Cidr", - "text": "Cidr" - }, - "> | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ip_range\", ", + "<\"aggIpRange\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IpRange", - "text": "IpRange" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">)[] | undefined; ipRangeType?: string | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ipRangeType\" | \"ranges\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -13938,50 +14291,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDateRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"date_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.DateRange", - "text": "DateRange" - }, - ">[] | undefined; }, \"ranges\"> & Pick<{ ranges?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"date_range\", ", + "<\"aggDateRange\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.DateRange", - "text": "DateRange" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ranges\" | \"time_zone\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14026,50 +14343,66 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggRange\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\"> & Pick<{ ranges?: ", + ", ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" }, - "<\"numerical_range\", ", + "<", { - "pluginId": "data", + "pluginId": "inspector", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.NumericalRange", - "text": "NumericalRange" + "docId": "kibInspectorPluginApi", + "section": "def-common.Adapters", + "text": "Adapters" }, - ">[] | undefined; }, \"ranges\"> & Pick<{ ranges?: ", + ", ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + ">>" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggFunctionsMapping.aggGeoTile", + "type": "Object", + "tags": [], + "label": "aggGeoTile", + "description": [], + "signature": [ { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionFunctionDefinition", + "text": "ExpressionFunctionDefinition" }, - "<\"numerical_range\", ", + "<\"aggGeoTile\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.NumericalRange", - "text": "NumericalRange" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ">[] | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"ranges\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14101,10 +14434,10 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggGeoTile", + "id": "def-common.AggFunctionsMapping.aggGeoHash", "type": "Object", "tags": [], - "label": "aggGeoTile", + "label": "aggGeoHash", "description": [], "signature": [ { @@ -14114,18 +14447,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoTile\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoHash\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.BUCKET_TYPES", - "text": "BUCKET_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEOTILE_GRID>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14157,10 +14486,10 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggGeoHash", + "id": "def-common.AggFunctionsMapping.aggHistogram", "type": "Object", "tags": [], - "label": "aggGeoHash", + "label": "aggHistogram", "description": [], "signature": [ { @@ -14170,93 +14499,25 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoHash\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"autoPrecision\" | \"precision\" | \"useGeocentroid\" | \"isFilteredByCollar\"> & Pick<{ boundingBox?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", + ", ", { - "pluginId": "data", + "pluginId": "expressions", "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContext", + "text": "ExecutionContext" }, - "; bottom_right: ", + "<", { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; }, \"boundingBox\"> & Pick<{ boundingBox?: ({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText) | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"autoPrecision\" | \"precision\" | \"useGeocentroid\" | \"isFilteredByCollar\" | \"boundingBox\">, ", - "AggExpressionType", - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContext", - "text": "ExecutionContext" - }, - "<", - { - "pluginId": "inspector", + "pluginId": "inspector", "scope": "common", "docId": "kibInspectorPluginApi", "section": "def-common.Adapters", @@ -14277,10 +14538,10 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggHistogram", + "id": "def-common.AggFunctionsMapping.aggDateHistogram", "type": "Object", "tags": [], - "label": "aggHistogram", + "label": "aggDateHistogram", "description": [], "signature": [ { @@ -14290,50 +14551,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggHistogram\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"interval\" | \"used_interval\" | \"maxBars\" | \"intervalBase\" | \"min_doc_count\" | \"has_extended_bounds\"> & Pick<{ extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" - }, - "> | undefined; }, \"extended_bounds\"> & Pick<{ extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", + "<\"aggDateHistogram\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "> | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"interval\" | \"used_interval\" | \"maxBars\" | \"intervalBase\" | \"min_doc_count\" | \"has_extended_bounds\" | \"extended_bounds\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14365,10 +14590,10 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggDateHistogram", + "id": "def-common.AggFunctionsMapping.aggTerms", "type": "Object", "tags": [], - "label": "aggDateHistogram", + "label": "aggTerms", "description": [], "signature": [ { @@ -14378,82 +14603,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDateHistogram\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\" | \"interval\" | \"used_interval\" | \"min_doc_count\" | \"useNormalizedEsInterval\" | \"scaleMetricValues\" | \"used_time_zone\" | \"drop_partials\" | \"format\"> & Pick<{ timeRange?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"timerange\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataQueryPluginApi", - "section": "def-common.TimeRange", - "text": "TimeRange" - }, - "> | undefined; extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" - }, - "> | undefined; }, \"extended_bounds\" | \"timeRange\"> & Pick<{ timeRange?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"timerange\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataQueryPluginApi", - "section": "def-common.TimeRange", - "text": "TimeRange" - }, - "> | undefined; extended_bounds?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", + "<\"aggTerms\", any, Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - "> | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"time_zone\" | \"interval\" | \"used_interval\" | \"min_doc_count\" | \"extended_bounds\" | \"timeRange\" | \"useNormalizedEsInterval\" | \"scaleMetricValues\" | \"used_time_zone\" | \"drop_partials\" | \"format\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14485,10 +14642,10 @@ }, { "parentPluginId": "data", - "id": "def-common.AggFunctionsMapping.aggTerms", + "id": "def-common.AggFunctionsMapping.aggMultiTerms", "type": "Object", "tags": [], - "label": "aggTerms", + "label": "aggMultiTerms", "description": [], "signature": [ { @@ -14498,22 +14655,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggTerms\", any, Pick, \"size\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"orderBy\" | \"order\" | \"missingBucket\" | \"missingBucketLabel\" | \"otherBucket\" | \"otherBucketLabel\" | \"exclude\" | \"include\"> & Pick<{ orderAgg?: ", - "AggExpressionType", - " | undefined; }, \"orderAgg\"> & Pick<{ orderAgg?: ", - "AggExpressionType", - " | undefined; }, never>, \"size\" | \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"field\" | \"orderBy\" | \"orderAgg\" | \"order\" | \"missingBucket\" | \"missingBucketLabel\" | \"otherBucket\" | \"otherBucketLabel\" | \"exclude\" | \"include\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14558,18 +14707,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggAvg\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggAvg\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".AVG>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14614,26 +14759,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketAvg\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14678,26 +14811,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketMax\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14742,26 +14863,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketMin\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14806,26 +14915,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggBucketSum\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14870,26 +14967,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggFilteredMetric\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\" | \"customBucket\"> & Pick<{ customBucket?: ", - "AggExpressionType", - " | undefined; customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"customBucket\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14934,18 +15019,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggCardinality\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggCardinality\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".CARDINALITY>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -14990,18 +15071,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggCount\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggCount\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".COUNT>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15046,22 +15123,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggCumulativeSum\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15106,22 +15175,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggDerivative\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15166,18 +15227,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoBounds\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoBounds\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEO_BOUNDS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15222,18 +15279,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggGeoCentroid\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggGeoCentroid\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".GEO_CENTROID>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15278,18 +15331,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMax\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMax\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MAX>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15334,18 +15383,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMedian\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMedian\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MEDIAN>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15390,18 +15435,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSinglePercentile\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSinglePercentile\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SINGLE_PERCENTILE>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15446,18 +15487,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMin\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggMin\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".MIN>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15502,22 +15539,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggMovingAvg\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\" | \"window\" | \"script\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\" | \"window\" | \"script\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15562,18 +15591,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggPercentileRanks\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggPercentileRanks\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".PERCENTILE_RANKS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15618,18 +15643,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggPercentiles\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggPercentiles\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".PERCENTILES>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15674,22 +15695,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSerialDiff\", any, Pick, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"buckets_path\" | \"metricAgg\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, \"customMetric\"> & Pick<{ customMetric?: ", - "AggExpressionType", - " | undefined; }, never>, \"id\" | \"enabled\" | \"schema\" | \"json\" | \"customLabel\" | \"timeShift\" | \"customMetric\" | \"buckets_path\" | \"metricAgg\">, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15734,18 +15747,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggStdDeviation\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggStdDeviation\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".STD_DEV>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15790,18 +15799,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggSum\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggSum\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".SUM>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15846,18 +15851,14 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"aggTopHit\", any, ", - "AggExpressionFunctionArgs", - "<", + "<\"aggTopHit\", any, AggArgs, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.METRIC_TYPES", - "text": "METRIC_TYPES" + "section": "def-common.AggExpressionType", + "text": "AggExpressionType" }, - ".TOP_HITS>, ", - "AggExpressionType", ", ", { "pluginId": "expressions", @@ -15983,7 +15984,13 @@ "text": "AggParamsAvg" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/avg.ts", "deprecated": false, @@ -16017,7 +16024,13 @@ "text": "AggParamsBucketAvg" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/bucket_avg.ts", "deprecated": false, @@ -16083,7 +16096,13 @@ "text": "AggParamsBucketMax" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/bucket_max.ts", "deprecated": false, @@ -16149,7 +16168,13 @@ "text": "AggParamsBucketMin" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/bucket_min.ts", "deprecated": false, @@ -16215,7 +16240,13 @@ "text": "AggParamsBucketSum" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/bucket_sum.ts", "deprecated": false, @@ -16281,7 +16312,13 @@ "text": "AggParamsCardinality" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/cardinality.ts", "deprecated": false, @@ -16315,7 +16352,13 @@ "text": "AggParamsCumulativeSum" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/cumulative_sum.ts", "deprecated": false, @@ -16386,7 +16429,13 @@ "text": "AggParamsDateHistogram" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts", "deprecated": false, @@ -16588,7 +16637,13 @@ "text": "AggParamsDateRange" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/date_range.ts", "deprecated": false, @@ -16658,7 +16713,13 @@ "text": "AggParamsDerivative" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/derivative.ts", "deprecated": false, @@ -16715,66 +16776,119 @@ }, { "parentPluginId": "data", - "id": "def-common.AggParamsFilter", + "id": "def-common.AggParamsDiversifiedSampler", "type": "Interface", "tags": [], - "label": "AggParamsFilter", + "label": "AggParamsDiversifiedSampler", "description": [], "signature": [ { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.AggParamsFilter", - "text": "AggParamsFilter" + "section": "def-common.AggParamsDiversifiedSampler", + "text": "AggParamsDiversifiedSampler" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], - "path": "src/plugins/data/common/search/aggs/buckets/filter.ts", + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", "deprecated": false, "children": [ { "parentPluginId": "data", - "id": "def-common.AggParamsFilter.geo_bounding_box", - "type": "CompoundType", + "id": "def-common.AggParamsDiversifiedSampler.field", + "type": "string", "tags": [], - "label": "geo_bounding_box", - "description": [], + "label": "field", + "description": [ + "\nIs used to provide values used for de-duplication" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsDiversifiedSampler.shard_size", + "type": "number", + "tags": [], + "label": "shard_size", + "description": [ + "\nLimits how many top-scoring documents are collected in the sample processed on each shard." + ], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsDiversifiedSampler.max_docs_per_value", + "type": "number", + "tags": [], + "label": "max_docs_per_value", + "description": [ + "\nLimits how many documents are permitted per choice of de-duplicating value" + ], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsFilter", + "type": "Interface", + "tags": [], + "label": "AggParamsFilter", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggParamsFilter", + "text": "AggParamsFilter" + }, + " extends ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } + ], + "path": "src/plugins/data/common/search/aggs/buckets/filter.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggParamsFilter.geo_bounding_box", + "type": "CompoundType", + "tags": [], + "label": "geo_bounding_box", + "description": [], "signature": [ - "GeoBox | { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; } | { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.GeoBoundingBox", + "text": "GeoBoundingBox" }, - "; } | WellKnownText | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/aggs/buckets/filter.ts", "deprecated": false @@ -16818,7 +16932,13 @@ "text": "AggParamsFilteredMetric" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/filtered_metric.ts", "deprecated": false, @@ -16883,9 +17003,15 @@ "section": "def-common.AggParamsFilters", "text": "AggParamsFilters" }, - " extends Pick<", - "BaseAggParams", - ", \"json\" | \"timeShift\">" + " extends Omit<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + }, + ", \"customLabel\">" ], "path": "src/plugins/data/common/search/aggs/buckets/filters.ts", "deprecated": false, @@ -16929,7 +17055,13 @@ "text": "AggParamsGeoBounds" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/geo_bounds.ts", "deprecated": false, @@ -16963,7 +17095,13 @@ "text": "AggParamsGeoCentroid" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/geo_centroid.ts", "deprecated": false, @@ -16997,7 +17135,13 @@ "text": "AggParamsGeoHash" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/geo_hash.ts", "deprecated": false, @@ -17072,39 +17216,14 @@ "label": "boundingBox", "description": [], "signature": [ - "GeoBox | { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; } | { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.GeoBoundingBox", + "text": "GeoBoundingBox" }, - "; } | WellKnownText | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/aggs/buckets/geo_hash.ts", "deprecated": false @@ -17128,7 +17247,13 @@ "text": "AggParamsGeoTile" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/geo_tile.ts", "deprecated": false, @@ -17188,7 +17313,13 @@ "text": "AggParamsHistogram" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/histogram.ts", "deprecated": false, @@ -17320,7 +17451,13 @@ "text": "AggParamsIpRange" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/ip_range.ts", "deprecated": false, @@ -17403,7 +17540,13 @@ "text": "AggParamsMax" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/max.ts", "deprecated": false, @@ -17437,7 +17580,13 @@ "text": "AggParamsMedian" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/median.ts", "deprecated": false, @@ -17471,7 +17620,13 @@ "text": "AggParamsMin" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/min.ts", "deprecated": false, @@ -17505,7 +17660,13 @@ "text": "AggParamsMovingAvg" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/moving_avg.ts", "deprecated": false, @@ -17588,139 +17749,296 @@ }, { "parentPluginId": "data", - "id": "def-common.AggParamsPercentileRanks", + "id": "def-common.AggParamsMultiTerms", "type": "Interface", "tags": [], - "label": "AggParamsPercentileRanks", + "label": "AggParamsMultiTerms", "description": [], "signature": [ { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.AggParamsPercentileRanks", - "text": "AggParamsPercentileRanks" + "section": "def-common.AggParamsMultiTerms", + "text": "AggParamsMultiTerms" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], - "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", "deprecated": false, "children": [ { "parentPluginId": "data", - "id": "def-common.AggParamsPercentileRanks.field", - "type": "string", - "tags": [], - "label": "field", - "description": [], - "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-common.AggParamsPercentileRanks.values", + "id": "def-common.AggParamsMultiTerms.fields", "type": "Array", "tags": [], - "label": "values", + "label": "fields", "description": [], "signature": [ - "number[] | undefined" + "string[]" ], - "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "data", - "id": "def-common.AggParamsPercentiles", - "type": "Interface", - "tags": [], - "label": "AggParamsPercentiles", - "description": [], - "signature": [ - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.AggParamsPercentiles", - "text": "AggParamsPercentiles" }, - " extends ", - "BaseAggParams" - ], - "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", - "deprecated": false, - "children": [ { "parentPluginId": "data", - "id": "def-common.AggParamsPercentiles.field", + "id": "def-common.AggParamsMultiTerms.orderBy", "type": "string", "tags": [], - "label": "field", + "label": "orderBy", "description": [], - "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", "deprecated": false }, { "parentPluginId": "data", - "id": "def-common.AggParamsPercentiles.percents", - "type": "Array", + "id": "def-common.AggParamsMultiTerms.orderAgg", + "type": "Object", "tags": [], - "label": "percents", + "label": "orderAgg", "description": [], "signature": [ - "number[] | undefined" + "{ type: string; enabled?: boolean | undefined; id?: string | undefined; params?: {} | ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + " | undefined; schema?: string | undefined; } | undefined" ], - "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "data", - "id": "def-common.AggParamsRange", - "type": "Interface", - "tags": [], - "label": "AggParamsRange", - "description": [], - "signature": [ - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.AggParamsRange", - "text": "AggParamsRange" }, - " extends ", - "BaseAggParams" - ], - "path": "src/plugins/data/common/search/aggs/buckets/range.ts", - "deprecated": false, - "children": [ { "parentPluginId": "data", - "id": "def-common.AggParamsRange.field", - "type": "string", + "id": "def-common.AggParamsMultiTerms.order", + "type": "CompoundType", "tags": [], - "label": "field", + "label": "order", "description": [], - "path": "src/plugins/data/common/search/aggs/buckets/range.ts", + "signature": [ + "\"asc\" | \"desc\" | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", "deprecated": false }, { "parentPluginId": "data", - "id": "def-common.AggParamsRange.ranges", - "type": "Array", + "id": "def-common.AggParamsMultiTerms.size", + "type": "number", "tags": [], - "label": "ranges", + "label": "size", "description": [], "signature": [ - { - "pluginId": "data", + "number | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsMultiTerms.otherBucket", + "type": "CompoundType", + "tags": [], + "label": "otherBucket", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsMultiTerms.otherBucketLabel", + "type": "string", + "tags": [], + "label": "otherBucketLabel", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsMultiTerms.separatorLabel", + "type": "string", + "tags": [], + "label": "separatorLabel", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentileRanks", + "type": "Interface", + "tags": [], + "label": "AggParamsPercentileRanks", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggParamsPercentileRanks", + "text": "AggParamsPercentileRanks" + }, + " extends ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } + ], + "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentileRanks.field", + "type": "string", + "tags": [], + "label": "field", + "description": [], + "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentileRanks.values", + "type": "Array", + "tags": [], + "label": "values", + "description": [], + "signature": [ + "number[] | undefined" + ], + "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentiles", + "type": "Interface", + "tags": [], + "label": "AggParamsPercentiles", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggParamsPercentiles", + "text": "AggParamsPercentiles" + }, + " extends ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } + ], + "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentiles.field", + "type": "string", + "tags": [], + "label": "field", + "description": [], + "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsPercentiles.percents", + "type": "Array", + "tags": [], + "label": "percents", + "description": [], + "signature": [ + "number[] | undefined" + ], + "path": "src/plugins/data/common/search/aggs/metrics/percentiles.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsRange", + "type": "Interface", + "tags": [], + "label": "AggParamsRange", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggParamsRange", + "text": "AggParamsRange" + }, + " extends ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } + ], + "path": "src/plugins/data/common/search/aggs/buckets/range.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggParamsRange.field", + "type": "string", + "tags": [], + "label": "field", + "description": [], + "path": "src/plugins/data/common/search/aggs/buckets/range.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsRange.ranges", + "type": "Array", + "tags": [], + "label": "ranges", + "description": [], + "signature": [ + { + "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", "section": "def-common.NumericalRange", @@ -17734,6 +18052,51 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsSampler", + "type": "Interface", + "tags": [], + "label": "AggParamsSampler", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggParamsSampler", + "text": "AggParamsSampler" + }, + " extends ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggParamsSampler.shard_size", + "type": "number", + "tags": [], + "label": "shard_size", + "description": [ + "\nLimits how many top-scoring documents are collected in the sample processed on each shard." + ], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.AggParamsSerialDiff", @@ -17750,7 +18113,13 @@ "text": "AggParamsSerialDiff" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/serial_diff.ts", "deprecated": false, @@ -17821,7 +18190,13 @@ "text": "AggParamsSignificantTerms" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/significant_terms.ts", "deprecated": false, @@ -17894,7 +18269,13 @@ "text": "AggParamsSinglePercentile" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/single_percentile.ts", "deprecated": false, @@ -17938,7 +18319,13 @@ "text": "AggParamsStdDeviation" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/std_deviation.ts", "deprecated": false, @@ -17972,7 +18359,13 @@ "text": "AggParamsSum" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/sum.ts", "deprecated": false, @@ -18006,7 +18399,13 @@ "text": "AggParamsTerms" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/buckets/terms.ts", "deprecated": false, @@ -18175,7 +18574,13 @@ "text": "AggParamsTopHit" }, " extends ", - "BaseAggParams" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BaseAggParams", + "text": "BaseAggParams" + } ], "path": "src/plugins/data/common/search/aggs/metrics/top_hit.ts", "deprecated": false, @@ -18226,21 +18631,453 @@ "signature": [ "number | undefined" ], - "path": "src/plugins/data/common/search/aggs/metrics/top_hit.ts", - "deprecated": false + "path": "src/plugins/data/common/search/aggs/metrics/top_hit.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggParamsTopHit.sortOrder", + "type": "CompoundType", + "tags": [], + "label": "sortOrder", + "description": [], + "signature": [ + "\"asc\" | \"desc\" | undefined" + ], + "path": "src/plugins/data/common/search/aggs/metrics/top_hit.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonSetup", + "type": "Interface", + "tags": [], + "label": "AggsCommonSetup", + "description": [], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonSetup.types", + "type": "Object", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "{ registerBucket: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + ">(name: N, type: T) => void; registerMetric: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.MetricAggType", + "text": "MetricAggType" + }, + ">(name: N, type: T) => void; }" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonSetupDependencies", + "type": "Interface", + "tags": [], + "label": "AggsCommonSetupDependencies", + "description": [], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonSetupDependencies.registerFunction", + "type": "Function", + "tags": [], + "label": "registerFunction", + "description": [], + "signature": [ + "(functionDefinition: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.AnyExpressionFunctionDefinition", + "text": "AnyExpressionFunctionDefinition" + }, + " | (() => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.AnyExpressionFunctionDefinition", + "text": "AnyExpressionFunctionDefinition" + }, + ")) => void" + ], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonSetupDependencies.registerFunction.$1", + "type": "CompoundType", + "tags": [], + "label": "functionDefinition", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.AnyExpressionFunctionDefinition", + "text": "AnyExpressionFunctionDefinition" + }, + " | (() => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.AnyExpressionFunctionDefinition", + "text": "AnyExpressionFunctionDefinition" + }, + ")" + ], + "path": "src/plugins/expressions/common/service/expressions_services.ts", + "deprecated": false + } + ] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart", + "type": "Interface", + "tags": [], + "label": "AggsCommonStart", + "description": [], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.calculateAutoTimeExpression", + "type": "Function", + "tags": [], + "label": "calculateAutoTimeExpression", + "description": [], + "signature": [ + "(range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ") => string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.calculateAutoTimeExpression.$1", + "type": "Object", + "tags": [], + "label": "range", + "description": [], + "signature": [ + "{ from: string; to: string; mode?: \"absolute\" | \"relative\" | undefined; }" + ], + "path": "src/plugins/data/common/search/aggs/utils/calculate_auto_time_expression.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.datatableUtilities", + "type": "Object", + "tags": [], + "label": "datatableUtilities", + "description": [], + "signature": [ + "{ getIndexPattern: (column: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableColumn", + "text": "DatatableColumn" + }, + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.IndexPattern", + "text": "IndexPattern" + }, + " | undefined>; getAggConfig: (column: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableColumn", + "text": "DatatableColumn" + }, + ") => Promise<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggConfig", + "text": "AggConfig" + }, + " | undefined>; isFilterable: (column: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableColumn", + "text": "DatatableColumn" + }, + ") => boolean; }" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.createAggConfigs", + "type": "Function", + "tags": [], + "label": "createAggConfigs", + "description": [], + "signature": [ + "(indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.IndexPattern", + "text": "IndexPattern" + }, + ", configStates?: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" + }, + "[] | undefined) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.AggConfigs", + "text": "AggConfigs" + } + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.createAggConfigs.$1", + "type": "Object", + "tags": [], + "label": "indexPattern", + "description": [], + "signature": [ + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.IndexPattern", + "text": "IndexPattern" + } + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.createAggConfigs.$2", + "type": "Array", + "tags": [], + "label": "configStates", + "description": [], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" + }, + "[] | undefined" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStart.types", + "type": "Object", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "{ get: (name: string) => any; getAll: () => { buckets: any[]; metrics: any[]; }; }" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies", + "type": "Interface", + "tags": [], + "label": "AggsCommonStartDependencies", + "description": [], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies.getConfig", + "type": "Function", + "tags": [], + "label": "getConfig", + "description": [], + "signature": [ + "(key: string, defaultOverride?: T | undefined) => T" + ], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies.getConfig.$1", + "type": "string", + "tags": [], + "label": "key", + "description": [], + "path": "src/plugins/data/common/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies.getConfig.$2", + "type": "Uncategorized", + "tags": [], + "label": "defaultOverride", + "description": [], + "signature": [ + "T | undefined" + ], + "path": "src/plugins/data/common/types.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies.getIndexPattern", + "type": "Function", + "tags": [], + "label": "getIndexPattern", + "description": [], + "signature": [ + "(id: string) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.IndexPattern", + "text": "IndexPattern" + }, + ">" + ], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggsCommonStartDependencies.getIndexPattern.$1", + "type": "string", + "tags": [], + "label": "id", + "description": [], + "signature": [ + "string" + ], + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] }, { "parentPluginId": "data", - "id": "def-common.AggParamsTopHit.sortOrder", - "type": "CompoundType", + "id": "def-common.AggsCommonStartDependencies.isDefaultTimezone", + "type": "Function", "tags": [], - "label": "sortOrder", + "label": "isDefaultTimezone", "description": [], "signature": [ - "\"asc\" | \"desc\" | undefined" + "() => boolean" ], - "path": "src/plugins/data/common/search/aggs/metrics/top_hit.ts", - "deprecated": false + "path": "src/plugins/data/common/search/aggs/aggs_service.ts", + "deprecated": false, + "children": [], + "returnComment": [] } ], "initialIsOpen": false @@ -18452,7 +19289,14 @@ "label": "valueType", "description": [], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\" | undefined" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableColumnType", + "text": "DatatableColumnType" + }, + " | undefined" ], "path": "src/plugins/data/common/search/aggs/agg_type.ts", "deprecated": false @@ -18685,30 +19529,276 @@ "isRequired": true }, { - "parentPluginId": "data", - "id": "def-common.AggTypeConfig.getKey.$2", - "type": "Any", - "tags": [], - "label": "key", - "description": [], - "signature": [ - "any" - ], - "path": "src/plugins/data/common/search/aggs/agg_type.ts", - "deprecated": false, - "isRequired": true + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getKey.$2", + "type": "Any", + "tags": [], + "label": "key", + "description": [], + "signature": [ + "any" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getKey.$3", + "type": "Uncategorized", + "tags": [], + "label": "agg", + "description": [], + "signature": [ + "TAggConfig" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getValueBucketPath", + "type": "Function", + "tags": [], + "label": "getValueBucketPath", + "description": [], + "signature": [ + "((agg: TAggConfig) => string) | undefined" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getValueBucketPath.$1", + "type": "Uncategorized", + "tags": [], + "label": "agg", + "description": [], + "signature": [ + "TAggConfig" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getResponseId", + "type": "Function", + "tags": [], + "label": "getResponseId", + "description": [], + "signature": [ + "((agg: TAggConfig) => string) | undefined" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypeConfig.getResponseId.$1", + "type": "Uncategorized", + "tags": [], + "label": "agg", + "description": [], + "signature": [ + "TAggConfig" + ], + "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies", + "type": "Interface", + "tags": [], + "label": "AggTypesDependencies", + "description": [], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.calculateBounds", + "type": "Function", + "tags": [], + "label": "calculateBounds", + "description": [], + "signature": [ + "(timeRange: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ") => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRangeBounds", + "text": "TimeRangeBounds" + } + ], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.calculateBounds.$1", + "type": "Object", + "tags": [], + "label": "timeRange", + "description": [], + "signature": [ + "{ from: string; to: string; mode?: \"absolute\" | \"relative\" | undefined; }" + ], + "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.getConfig", + "type": "Function", + "tags": [], + "label": "getConfig", + "description": [], + "signature": [ + "(key: string) => T" + ], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.getConfig.$1", + "type": "string", + "tags": [], + "label": "key", + "description": [], + "signature": [ + "string" + ], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.getFieldFormatsStart", + "type": "Function", + "tags": [], + "label": "getFieldFormatsStart", + "description": [], + "signature": [ + "() => Pick<", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormatsStartCommon", + "text": "FieldFormatsStartCommon" + }, + ", \"deserialize\" | \"getDefaultInstance\">" + ], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypesDependencies.isDefaultTimezone", + "type": "Function", + "tags": [], + "label": "isDefaultTimezone", + "description": [], + "signature": [ + "() => boolean" + ], + "path": "src/plugins/data/common/search/aggs/agg_types.ts", + "deprecated": false, + "children": [], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.AggTypesRegistryStart", + "type": "Interface", + "tags": [], + "label": "AggTypesRegistryStart", + "description": [ + "\nAggsCommonStart returns the _unitialized_ agg type providers, but in our\nreal start contract we will need to return the initialized versions.\nSo we need to provide the correct typings so they can be overwritten\non client/server." + ], + "path": "src/plugins/data/common/search/aggs/agg_types_registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.AggTypesRegistryStart.get", + "type": "Function", + "tags": [], + "label": "get", + "description": [], + "signature": [ + "(id: string) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + " | ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.MetricAggType", + "text": "MetricAggType" }, + "" + ], + "path": "src/plugins/data/common/search/aggs/agg_types_registry.ts", + "deprecated": false, + "children": [ { "parentPluginId": "data", - "id": "def-common.AggTypeConfig.getKey.$3", - "type": "Uncategorized", + "id": "def-common.AggTypesRegistryStart.get.$1", + "type": "string", "tags": [], - "label": "agg", + "label": "id", "description": [], "signature": [ - "TAggConfig" + "string" ], - "path": "src/plugins/data/common/search/aggs/agg_type.ts", + "path": "src/plugins/data/common/search/aggs/agg_types_registry.ts", "deprecated": false, "isRequired": true } @@ -18717,32 +19807,33 @@ }, { "parentPluginId": "data", - "id": "def-common.AggTypeConfig.getValueBucketPath", + "id": "def-common.AggTypesRegistryStart.getAll", "type": "Function", "tags": [], - "label": "getValueBucketPath", + "label": "getAll", "description": [], "signature": [ - "((agg: TAggConfig) => string) | undefined" - ], - "path": "src/plugins/data/common/search/aggs/agg_type.ts", - "deprecated": false, - "children": [ + "() => { buckets: ", { - "parentPluginId": "data", - "id": "def-common.AggTypeConfig.getValueBucketPath.$1", - "type": "Uncategorized", - "tags": [], - "label": "agg", - "description": [], - "signature": [ - "TAggConfig" - ], - "path": "src/plugins/data/common/search/aggs/agg_type.ts", - "deprecated": false, - "isRequired": true - } + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.BucketAggType", + "text": "BucketAggType" + }, + "[]; metrics: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.MetricAggType", + "text": "MetricAggType" + }, + "[]; }" ], + "path": "src/plugins/data/common/search/aggs/agg_types_registry.ts", + "deprecated": false, + "children": [], "returnComment": [] } ], @@ -18781,6 +19872,58 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.BaseAggParams", + "type": "Interface", + "tags": [], + "label": "BaseAggParams", + "description": [], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.BaseAggParams.json", + "type": "string", + "tags": [], + "label": "json", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.BaseAggParams.customLabel", + "type": "string", + "tags": [], + "label": "customLabel", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.BaseAggParams.timeShift", + "type": "string", + "tags": [], + "label": "timeShift", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/data/common/search/aggs/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.BucketAggParam", @@ -18830,21 +19973,9 @@ "label": "filterFieldTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", " | \"*\" | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/data/common/search/aggs/buckets/bucket_agg_type.ts", @@ -19306,7 +20437,9 @@ "\nCallback which can be used to hook into responses, modify them, or perform\nside effects like displaying UI errors on the client." ], "signature": [ - "(request: Record, response: ", + "(request: ", + "SearchRequest", + ", response: ", { "pluginId": "data", "scope": "common", @@ -19335,7 +20468,7 @@ "label": "request", "description": [], "signature": [ - "Record" + "SearchRequest" ], "path": "src/plugins/data/common/search/search_source/fetch/types.ts", "deprecated": false, @@ -19459,15 +20592,15 @@ "label": "getFieldFormatsStart", "description": [], "signature": [ - "() => Pick Pick<", { "pluginId": "fieldFormats", "scope": "common", "docId": "kibFieldFormatsPluginApi", - "section": "def-common.FieldFormatsRegistry", - "text": "FieldFormatsRegistry" + "section": "def-common.FieldFormatsStartCommon", + "text": "FieldFormatsStartCommon" }, - ", \"deserialize\" | \"getDefaultConfig\" | \"getType\" | \"getTypeWithoutMetaParams\" | \"getDefaultType\" | \"getTypeNameByEsTypes\" | \"getDefaultTypeName\" | \"getInstance\" | \"getDefaultInstancePlain\" | \"getDefaultInstanceCacheResolver\" | \"getByFieldType\" | \"getDefaultInstance\" | \"parseDefaultTypeMap\" | \"has\">, \"deserialize\" | \"getDefaultInstance\">" + ", \"deserialize\" | \"getDefaultInstance\">" ], "path": "src/plugins/data/common/search/aggs/buckets/histogram.ts", "deprecated": false, @@ -20521,6 +21654,32 @@ "description": [ "\nhigh level search service" ], + "signature": [ + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.ISearchStartSearchSource", + "text": "ISearchStartSearchSource" + }, + " extends ", + { + "pluginId": "kibanaUtils", + "scope": "common", + "docId": "kibKibanaUtilsPluginApi", + "section": "def-common.PersistableStateService", + "text": "PersistableStateService" + }, + "<", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + ">" + ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, "children": [ @@ -20539,18 +21698,18 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, - " | undefined) => Promise Promise<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">>" + ">" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, @@ -20567,8 +21726,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, " | undefined" ], @@ -20589,15 +21748,14 @@ "\ncreates empty {@link SearchSource}" ], "signature": [ - "() => Pick<", + "() => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" - }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\">" + "section": "def-common.ISearchSource", + "text": "ISearchSource" + } ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false, @@ -20690,6 +21848,38 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.KibanaContextStartDependencies", + "type": "Interface", + "tags": [], + "label": "KibanaContextStartDependencies", + "description": [], + "path": "src/plugins/data/common/search/expressions/kibana_context.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "data", + "id": "def-common.KibanaContextStartDependencies.savedObjectsClient", + "type": "Object", + "tags": [], + "label": "savedObjectsClient", + "description": [], + "signature": [ + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.SavedObjectsClientCommon", + "text": "SavedObjectsClientCommon" + } + ], + "path": "src/plugins/data/common/search/expressions/kibana_context.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.MetricAggParam", @@ -20727,21 +21917,13 @@ "description": [], "signature": [ { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, - " | \"*\" | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.FieldTypes", + "text": "FieldTypes" }, - "[] | undefined" + " | undefined" ], "path": "src/plugins/data/common/search/aggs/metrics/metric_agg_type.ts", "deprecated": false @@ -20922,15 +22104,15 @@ "label": "getFieldFormatsStart", "description": [], "signature": [ - "() => Pick Pick<", { "pluginId": "fieldFormats", "scope": "common", "docId": "kibFieldFormatsPluginApi", - "section": "def-common.FieldFormatsRegistry", - "text": "FieldFormatsRegistry" + "section": "def-common.FieldFormatsStartCommon", + "text": "FieldFormatsStartCommon" }, - ", \"deserialize\" | \"getDefaultConfig\" | \"getType\" | \"getTypeWithoutMetaParams\" | \"getDefaultType\" | \"getTypeNameByEsTypes\" | \"getDefaultTypeName\" | \"getInstance\" | \"getDefaultInstancePlain\" | \"getDefaultInstanceCacheResolver\" | \"getByFieldType\" | \"getDefaultInstance\" | \"parseDefaultTypeMap\" | \"has\">, \"deserialize\" | \"getDefaultInstance\">" + ", \"deserialize\" | \"getDefaultInstance\">" ], "path": "src/plugins/data/common/search/aggs/metrics/percentile_ranks.ts", "deprecated": false, @@ -20997,15 +22179,15 @@ "label": "getFieldFormatsStart", "description": [], "signature": [ - "() => Pick Pick<", { "pluginId": "fieldFormats", "scope": "common", "docId": "kibFieldFormatsPluginApi", - "section": "def-common.FieldFormatsRegistry", - "text": "FieldFormatsRegistry" + "section": "def-common.FieldFormatsStartCommon", + "text": "FieldFormatsStartCommon" }, - ", \"deserialize\" | \"getDefaultConfig\" | \"getType\" | \"getTypeWithoutMetaParams\" | \"getDefaultType\" | \"getTypeNameByEsTypes\" | \"getDefaultTypeName\" | \"getInstance\" | \"getDefaultInstancePlain\" | \"getDefaultInstanceCacheResolver\" | \"getByFieldType\" | \"getDefaultInstance\" | \"parseDefaultTypeMap\" | \"has\">, \"deserialize\" | \"getDefaultInstance\">" + ", \"deserialize\" | \"getDefaultInstance\">" ], "path": "src/plugins/data/common/search/aggs/buckets/range.ts", "deprecated": false, @@ -21829,13 +23011,7 @@ "\n{@link Query}" ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", @@ -21851,101 +23027,44 @@ "\n{@link Filter}" ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - "[] | (() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - "[] | undefined) | undefined" - ], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-common.SearchSourceFields.sort", - "type": "CompoundType", - "tags": [], - "label": "sort", - "description": [ - "\n{@link EsQuerySortValue}" - ], - "signature": [ - "Record | Record ", + "Filter", + " | ", + "Filter", + "[] | undefined) | undefined" + ], + "path": "src/plugins/data/common/search/search_source/types.ts", + "deprecated": false + }, + { + "parentPluginId": "data", + "id": "def-common.SearchSourceFields.sort", + "type": "CompoundType", + "tags": [], + "label": "sort", + "description": [ + "\n{@link EsQuerySortValue}" + ], + "signature": [ { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SortDirectionNumeric", - "text": "SortDirectionNumeric" + "section": "def-common.EsQuerySortValue", + "text": "EsQuerySortValue" }, " | ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SortDirectionFormat", - "text": "SortDirectionFormat" + "section": "def-common.EsQuerySortValue", + "text": "EsQuerySortValue" }, - ">[] | undefined" + "[] | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false @@ -22046,7 +23165,9 @@ "label": "source", "description": [], "signature": [ - "string | boolean | string[] | undefined" + "boolean | ", + "Fields", + " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false @@ -22098,7 +23219,8 @@ "\nRetreive fields directly from _source (legacy behavior)\n" ], "signature": [ - "string | string[] | undefined" + "Fields", + " | undefined" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": true, @@ -22268,7 +23390,9 @@ "label": "reason", "description": [], "signature": [ - "{ caused_by: { reason: string; type: string; }; reason: string; lang?: \"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined; script?: string | undefined; script_stack?: string[] | undefined; type: string; }" + "{ caused_by: { reason: string; type: string; }; reason: string; lang?: ", + "ScriptLanguage", + " | undefined; script?: string | undefined; script_stack?: string[] | undefined; type: string; }" ], "path": "src/plugins/data/common/search/search_source/types.ts", "deprecated": false @@ -22286,96 +23410,6 @@ ], "initialIsOpen": false }, - { - "parentPluginId": "data", - "id": "def-common.SortDirectionFormat", - "type": "Interface", - "tags": [], - "label": "SortDirectionFormat", - "description": [], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "data", - "id": "def-common.SortDirectionFormat.order", - "type": "Enum", - "tags": [], - "label": "order", - "description": [], - "signature": [ - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.SortDirection", - "text": "SortDirection" - } - ], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-common.SortDirectionFormat.format", - "type": "string", - "tags": [], - "label": "format", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "data", - "id": "def-common.SortDirectionNumeric", - "type": "Interface", - "tags": [], - "label": "SortDirectionNumeric", - "description": [], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "data", - "id": "def-common.SortDirectionNumeric.order", - "type": "Enum", - "tags": [], - "label": "order", - "description": [], - "signature": [ - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.SortDirection", - "text": "SortDirection" - } - ], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false - }, - { - "parentPluginId": "data", - "id": "def-common.SortDirectionNumeric.numeric_type", - "type": "CompoundType", - "tags": [], - "label": "numeric_type", - "description": [], - "signature": [ - "\"date\" | \"long\" | \"double\" | \"date_nanos\" | undefined" - ], - "path": "src/plugins/data/common/search/search_source/types.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, { "parentPluginId": "data", "id": "def-common.SortOptions", @@ -22758,6 +23792,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggDiversifiedSamplerFnName", + "type": "string", + "tags": [], + "label": "aggDiversifiedSamplerFnName", + "description": [], + "signature": [ + "\"aggDiversifiedSampler\"" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler_fn.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.aggFilteredMetricFnName", @@ -22864,7 +23912,7 @@ "label": "AggGroupName", "description": [], "signature": [ - "\"buckets\" | \"metrics\" | \"none\"" + "\"none\" | \"buckets\" | \"metrics\"" ], "path": "src/plugins/data/common/search/aggs/agg_groups.ts", "deprecated": false, @@ -22954,6 +24002,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggMultiTermsFnName", + "type": "string", + "tags": [], + "label": "aggMultiTermsFnName", + "description": [], + "signature": [ + "\"aggMultiTerms\"" + ], + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms_fn.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.AggParam", @@ -23025,6 +24087,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.aggSamplerFnName", + "type": "string", + "tags": [], + "label": "aggSamplerFnName", + "description": [], + "signature": [ + "\"aggSampler\"" + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler_fn.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.aggSerialDiffFnName", @@ -23133,40 +24209,30 @@ "section": "def-common.IndexPattern", "text": "IndexPattern" }, - ", configStates?: Pick & Pick<{ type: string | ", + ", configStates?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.CreateAggConfigParams", + "text": "CreateAggConfigParams" }, - "; }, \"type\"> & Pick<{ type: string | ", + "[] | undefined) => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.IAggType", - "text": "IAggType" + "section": "def-common.AggConfigs", + "text": "AggConfigs" }, - "; }, never>, \"type\" | \"id\" | \"enabled\" | \"schema\" | \"params\">[] | undefined) => ", + "; types: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.AggConfigs", - "text": "AggConfigs" + "section": "def-common.AggTypesRegistryStart", + "text": "AggTypesRegistryStart" }, - "; types: ", - "AggTypesRegistryStart", "; }" ], "path": "src/plugins/data/common/search/aggs/types.ts", @@ -23238,7 +24304,13 @@ "description": [], "signature": [ "{ registerBucket: ", { "pluginId": "data", @@ -23248,7 +24320,13 @@ "text": "BucketAggType" }, ">(name: N, type: T) => void; registerMetric: ", { "pluginId": "data", @@ -23363,6 +24441,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.DIVERSIFIED_SAMPLER_AGG_NAME", + "type": "string", + "tags": [], + "label": "DIVERSIFIED_SAMPLER_AGG_NAME", + "description": [], + "signature": [ + "\"diversified_sampler\"" + ], + "path": "src/plugins/data/common/search/aggs/buckets/diversified_sampler.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.ENHANCED_ES_SEARCH_STRATEGY", @@ -23630,29 +24722,11 @@ "description": [], "signature": [ "{ filters?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined; query?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[] | undefined; timeRange?: ", { "pluginId": "data", @@ -23691,22 +24765,14 @@ "text": "Cidr" }, ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"cidr\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.Cidr", - "text": "Cidr" + "section": "def-common.CidrOutput", + "text": "CidrOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -23760,22 +24826,14 @@ "text": "DateRange" }, ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"date_range\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.DateRange", - "text": "DateRange" + "section": "def-common.DateRangeOutput", + "text": "DateRangeOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -23822,21 +24880,13 @@ }, "<\"existsFilter\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_filter\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaFilter", + "text": "KibanaFilter" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -23890,22 +24940,14 @@ "text": "ExtendedBounds" }, ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"extended_bounds\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExtendedBounds", - "text": "ExtendedBounds" + "section": "def-common.ExtendedBoundsOutput", + "text": "ExtendedBoundsOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -23952,21 +24994,13 @@ }, "<\"field\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_field\", ", - { - "pluginId": "dataViews", + "pluginId": "data", "scope": "common", - "docId": "kibDataViewsPluginApi", - "section": "def-common.IndexPatternField", - "text": "IndexPatternField" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaField", + "text": "KibanaField" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24012,22 +25046,14 @@ "text": "ExpressionFunctionDefinition" }, "<\"geoBoundingBox\", null, GeoBoundingBoxArguments, ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"geo_bounding_box\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoBoundingBox", - "text": "GeoBoundingBox" + "section": "def-common.GeoBoundingBoxOutput", + "text": "GeoBoundingBoxOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24073,22 +25099,14 @@ "text": "ExpressionFunctionDefinition" }, "<\"geoPoint\", null, GeoPointArguments, ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"geo_point\", { value: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" + "section": "def-common.GeoPointOutput", + "text": "GeoPointOutput" }, - "; }>, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24141,23 +25159,15 @@ "section": "def-common.IpRange", "text": "IpRange" }, - ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ip_range\", ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.IpRange", - "text": "IpRange" - }, - ">, ", + ", ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.IpRangeOutput", + "text": "IpRangeOutput" + }, + ", ", { "pluginId": "expressions", "scope": "common", @@ -24202,23 +25212,23 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"kibana\", Input, object, ", + "<\"kibana\", ", { - "pluginId": "expressions", + "pluginId": "data", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + " | null, object, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24263,23 +25273,23 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"kibana_context\", Input, Arguments, Promise<", + "<\"kibana_context\", ", { - "pluginId": "expressions", + "pluginId": "data", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + " | null, Arguments, Promise<", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -24326,21 +25336,13 @@ }, "<\"kibanaFilter\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_filter\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaFilter", + "text": "KibanaFilter" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24394,22 +25396,14 @@ "text": "TimeRange" }, ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"timerange\", ", { "pluginId": "data", "scope": "common", - "docId": "kibDataQueryPluginApi", - "section": "def-common.TimeRange", - "text": "TimeRange" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaTimerangeOutput", + "text": "KibanaTimerangeOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24456,21 +25450,13 @@ }, "<\"kql\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaQueryOutput", + "text": "KibanaQueryOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24517,21 +25503,13 @@ }, "<\"lucene\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaQueryOutput", + "text": "KibanaQueryOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24585,22 +25563,14 @@ "text": "NumericalRange" }, ", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"numerical_range\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.NumericalRange", - "text": "NumericalRange" + "section": "def-common.NumericalRangeOutput", + "text": "NumericalRangeOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24647,21 +25617,13 @@ }, "<\"rangeFilter\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_filter\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaFilter", + "text": "KibanaFilter" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24707,22 +25669,14 @@ "text": "ExpressionFunctionDefinition" }, "<\"queryFilter\", null, QueryFilterArguments, ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query_filter\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" + "section": "def-common.QueryFilterOutput", + "text": "QueryFilterOutput" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24769,13 +25723,13 @@ }, "<\"range\", null, Arguments, ", { - "pluginId": "expressions", + "pluginId": "data", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaRange", + "text": "KibanaRange" }, - "<\"kibana_range\", Arguments>, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24822,21 +25776,13 @@ }, "<\"rangeFilter\", null, Arguments, ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_filter\", ", - { - "pluginId": "@kbn/es-query", + "pluginId": "data", "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaFilter", + "text": "KibanaFilter" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24882,38 +25828,22 @@ "text": "ExpressionFunctionDefinition" }, "<\"removeFilter\", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">, Arguments, ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + ", Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -24959,38 +25889,22 @@ "text": "ExpressionFunctionDefinition" }, "<\"selectFilter\", ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">, Arguments, ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - "<\"kibana_context\", ", + ", Arguments, ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, - ">, ", + ", ", { "pluginId": "expressions", "scope": "common", @@ -25070,21 +25984,9 @@ "label": "FieldTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", " | \"*\" | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/data/common/search/aggs/param_types/field.ts", @@ -25099,71 +26001,10 @@ "label": "GenericBucket", "description": [], "signature": [ - "(", - "AggregationsCompositeBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsDateHistogramBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsFiltersBucketItemKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsIpRangeBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsRangeBucketKeys", + "AggregationsBucket", " & { [property: string]: ", "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsRareTermsBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsSignificantTermsBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; }) | ({ [property: string]: ", - "AggregationsAggregate", - "; } & { [property: string]: ", - "AggregationsAggregate", - "; }) | (", - "AggregationsKeyedBucketKeys", - " & { [property: string]: ", - "AggregationsAggregate", - "; })" + "; }" ], "path": "src/plugins/data/common/search/aggs/agg_configs.ts", "deprecated": false, @@ -25179,39 +26020,7 @@ "GeoBoundingBox Accepted Formats:\n Lat Lon As Properties:\n \"top_left\" : {\n \"lat\" : 40.73, \"lon\" : -74.1\n },\n \"bottom_right\" : {\n \"lat\" : 40.01, \"lon\" : -71.12\n }\n\n Lat Lon As Array:\n {\n \"top_left\" : [-74.1, 40.73],\n \"bottom_right\" : [-71.12, 40.01]\n }\n\n Lat Lon As String:\n {\n \"top_left\" : \"40.73, -74.1\",\n \"bottom_right\" : \"40.01, -71.12\"\n }\n\n Bounding Box as Well-Known Text (WKT):\n {\n \"wkt\" : \"BBOX (-74.1, -71.12, 40.73, 40.01)\"\n }\n\n Geohash:\n {\n \"top_right\" : \"dr5r9ydj2y73\",\n \"bottom_left\" : \"drj7teegpus6\"\n }\n\n Vertices:\n {\n \"top\" : 40.73,\n \"left\" : -74.1,\n \"bottom\" : 40.01,\n \"right\" : -71.12\n }\n" ], "signature": [ - "GeoBox | { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; } | { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; } | WellKnownText" + "GeoBox | GeoPoints | WellKnownText" ], "path": "src/plugins/data/common/search/expressions/geo_bounding_box.ts", "deprecated": false, @@ -25225,39 +26034,14 @@ "label": "GeoBoundingBoxOutput", "description": [], "signature": [ - "({ type: \"geo_bounding_box\"; } & GeoBox) | ({ type: \"geo_bounding_box\"; } & { top_left: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & { top_right: ", - { - "pluginId": "data", - "scope": "common", - "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; bottom_left: ", + "{ type: \"geo_bounding_box\"; } & ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }) | ({ type: \"geo_bounding_box\"; } & WellKnownText)" + "section": "def-common.GeoBoundingBox", + "text": "GeoBoundingBox" + } ], "path": "src/plugins/data/common/search/expressions/geo_bounding_box.ts", "deprecated": false, @@ -25271,7 +26055,7 @@ "label": "GeoPoint", "description": [], "signature": [ - "string | Point | [number, number]" + "string | [number, number] | Point" ], "path": "src/plugins/data/common/search/expressions/geo_point.ts", "deprecated": false, @@ -25760,9 +26544,9 @@ "\nSame as `ISearchOptions`, but contains only serializable fields, which can\nbe sent over the network." ], "signature": [ - "{ isStored?: boolean | undefined; isRestore?: boolean | undefined; sessionId?: string | undefined; executionContext?: ", + "{ executionContext?: ", "KibanaExecutionContext", - " | undefined; strategy?: string | undefined; legacyHitsTotal?: boolean | undefined; }" + " | undefined; isStored?: boolean | undefined; isRestore?: boolean | undefined; sessionId?: string | undefined; strategy?: string | undefined; legacyHitsTotal?: boolean | undefined; }" ], "path": "src/plugins/data/common/search/types.ts", "deprecated": false, @@ -25793,7 +26577,25 @@ "\nsearch source interface" ], "signature": [ - "{ history: Record[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", + "{ create: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSource", + "text": "SearchSource" + }, + "; history: ", + "SearchRequest", + "[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", { "pluginId": "data", "scope": "common", @@ -25809,7 +26611,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; removeField: (field: K) => ", + "; removeField: (field: K) => ", { "pluginId": "data", "scope": "common", @@ -25833,7 +26643,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; getId: () => string; getFields: () => ", + "; getId: () => string; getFields: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" + }, + "; getField: (field: K, recurse?: boolean) => ", + ">(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -25849,7 +26667,7 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "[K]; getOwnField: (field: K) => ", + "[K]; getOwnField: ", + ">(field: K) => ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" }, - "; createCopy: () => ", + "[K]; createCopy: () => ", { "pluginId": "data", "scope": "common", @@ -25881,15 +26699,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; setParent: (parent?: Pick<", + "; setParent: (parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -25964,8 +26782,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, "; serialize: () => { searchSourceJSON: string; references: ", "SavedObjectReference", @@ -26040,13 +26858,7 @@ "description": [], "signature": [ "{ type: \"kibana_filter\"; } & ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - } + "Filter" ], "path": "src/plugins/data/common/search/expressions/kibana_context_type.ts", "deprecated": false, @@ -26061,13 +26873,7 @@ "description": [], "signature": [ "{ type: \"kibana_query\"; } & ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/common/search/expressions/kibana_context_type.ts", "deprecated": false, @@ -26177,6 +26983,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.SAMPLER_AGG_NAME", + "type": "string", + "tags": [], + "label": "SAMPLER_AGG_NAME", + "description": [], + "signature": [ + "\"sampler\"" + ], + "path": "src/plugins/data/common/search/aggs/buckets/sampler.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.SEARCH_SESSION_TYPE", @@ -26219,6 +27039,76 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.SerializedSearchSourceFields", + "type": "Type", + "tags": [], + "label": "SerializedSearchSourceFields", + "description": [], + "signature": [ + "{ type?: string | undefined; query?: ", + "Query", + " | undefined; filter?: ", + "Filter", + "[] | undefined; sort?: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.EsQuerySortValue", + "text": "EsQuerySortValue" + }, + "[] | undefined; highlight?: ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + " | undefined; highlightAll?: boolean | undefined; trackTotalHits?: number | boolean | undefined; aggs?: { type: string; enabled?: boolean | undefined; id?: string | undefined; params?: {} | ", + { + "pluginId": "@kbn/utility-types", + "scope": "server", + "docId": "kibKbnUtilityTypesPluginApi", + "section": "def-server.SerializableRecord", + "text": "SerializableRecord" + }, + " | undefined; schema?: string | undefined; }[] | undefined; from?: number | undefined; size?: number | undefined; source?: boolean | ", + "Fields", + " | undefined; version?: boolean | undefined; fields?: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchFieldValue", + "text": "SearchFieldValue" + }, + "[] | undefined; fieldsFromSource?: ", + "Fields", + " | undefined; index?: string | undefined; searchAfter?: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.EsQuerySearchAfter", + "text": "EsQuerySearchAfter" + }, + " | undefined; timeout?: string | undefined; terminate_after?: number | undefined; parent?: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" + }, + " | undefined; }" + ], + "path": "src/plugins/data/common/search/search_source/types.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.siblingPipelineType", @@ -26230,6 +27120,50 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "data", + "id": "def-common.SortDirectionFormat", + "type": "Type", + "tags": [], + "label": "SortDirectionFormat", + "description": [], + "signature": [ + "{ order: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SortDirection", + "text": "SortDirection" + }, + "; format?: string | undefined; }" + ], + "path": "src/plugins/data/common/search/search_source/types.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "data", + "id": "def-common.SortDirectionNumeric", + "type": "Type", + "tags": [], + "label": "SortDirectionNumeric", + "description": [], + "signature": [ + "{ order: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SortDirection", + "text": "SortDirection" + }, + "; numeric_type?: \"date\" | \"long\" | \"double\" | \"date_nanos\" | undefined; }" + ], + "path": "src/plugins/data/common/search/search_source/types.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "data", "id": "def-common.termsAggFilter", @@ -26240,7 +27174,7 @@ "signature": [ "string[]" ], - "path": "src/plugins/data/common/search/aggs/buckets/terms.ts", + "path": "src/plugins/data/common/search/aggs/buckets/_terms_order_helper.ts", "deprecated": false, "initialIsOpen": false } @@ -26570,7 +27504,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/date_range.ts", "deprecated": false @@ -26605,7 +27539,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/date_range.ts", "deprecated": false @@ -26944,21 +27878,9 @@ "description": [], "signature": [ "(input: null, args: Arguments) => { $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; type: \"kibana_filter\"; }" ], "path": "src/plugins/data/common/search/expressions/exists_filter.ts", @@ -27412,21 +28334,12 @@ "signature": [ "(input: null, args: Arguments) => ", { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_field\", ", - { - "pluginId": "dataViews", + "pluginId": "data", "scope": "common", - "docId": "kibDataViewsPluginApi", - "section": "def-common.IndexPatternField", - "text": "IndexPatternField" - }, - ">" + "docId": "kibDataSearchPluginApi", + "section": "def-common.KibanaField", + "text": "KibanaField" + } ], "path": "src/plugins/data/common/search/expressions/field.ts", "deprecated": false, @@ -27860,22 +28773,13 @@ "description": [], "signature": [ "(input: null, args: GeoBoundingBoxArguments) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"geo_bounding_box\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoBoundingBox", - "text": "GeoBoundingBox" - }, - ">" + "section": "def-common.GeoBoundingBoxOutput", + "text": "GeoBoundingBoxOutput" + } ], "path": "src/plugins/data/common/search/expressions/geo_bounding_box.ts", "deprecated": false, @@ -28084,7 +28988,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/geo_point.ts", "deprecated": false @@ -28125,22 +29029,13 @@ "description": [], "signature": [ "(input: null, { lat, lon, point }: GeoPointArguments) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"geo_point\", { value: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.GeoPoint", - "text": "GeoPoint" - }, - "; }>" + "section": "def-common.GeoPointOutput", + "text": "GeoPointOutput" + } ], "path": "src/plugins/data/common/search/expressions/geo_point.ts", "deprecated": false, @@ -28485,7 +29380,15 @@ "label": "fn", "description": [], "signature": [ - "(input: Input, _: object, { getSearchContext }: ", + "(input: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" + }, + " | null, _: object, { getSearchContext }: ", { "pluginId": "expressions", "scope": "common", @@ -28510,22 +29413,13 @@ "text": "ExecutionContextSearch" }, ">) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" + } ], "path": "src/plugins/data/common/search/expressions/kibana.ts", "deprecated": false, @@ -28538,7 +29432,14 @@ "label": "input", "description": [], "signature": [ - "Input" + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" + }, + " | null" ], "path": "src/plugins/data/common/search/expressions/kibana.ts", "deprecated": false, @@ -29596,21 +30497,9 @@ "description": [], "signature": [ "{ scriptable?: boolean | undefined; filterFieldTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", " | \"*\" | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[] | undefined; makeAgg?: ((agg: ", { "pluginId": "data", @@ -29707,15 +30596,15 @@ "section": "def-common.IBucketAggConfig", "text": "IBucketAggConfig" }, - ", searchSource?: Pick<", + ", searchSource?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -30301,21 +31190,9 @@ "description": [], "signature": [ "(input: null, args: Arguments) => { $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; type: \"kibana_filter\"; }" ], "path": "src/plugins/data/common/search/expressions/phrase_filter.ts", @@ -30531,22 +31408,13 @@ "description": [], "signature": [ "(_: null, { input, label }: QueryFilterArguments) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_query_filter\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.QueryFilter", - "text": "QueryFilter" - }, - ">" + "section": "def-common.QueryFilterOutput", + "text": "QueryFilterOutput" + } ], "path": "src/plugins/data/common/search/expressions/query_filter.ts", "deprecated": false, @@ -30809,21 +31677,9 @@ "description": [], "signature": [ "(input: null, args: Arguments) => { $state?: { store: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterStateStore", - "text": "FilterStateStore" - }, + "FilterStateStore", "; } | undefined; meta: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.FilterMeta", - "text": "FilterMeta" - }, + "FilterMeta", "; query?: Record | undefined; type: \"kibana_filter\"; }" ], "path": "src/plugins/data/common/search/expressions/range_filter.ts", @@ -30950,7 +31806,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/range.ts", "deprecated": false @@ -30985,7 +31841,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/range.ts", "deprecated": false @@ -31020,7 +31876,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/range.ts", "deprecated": false @@ -31055,7 +31911,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"number\")[]" + "(\"number\" | \"string\")[]" ], "path": "src/plugins/data/common/search/expressions/range.ts", "deprecated": false @@ -31345,45 +32201,19 @@ "description": [], "signature": [ "(input: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">, { group, from, ungrouped }: Arguments) => { filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, + ", { group, from, ungrouped }: Arguments) => { filters: ", + "Filter", "[]; type: \"kibana_context\"; query?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[] | undefined; timeRange?: ", { "pluginId": "data", @@ -31405,22 +32235,13 @@ "label": "input", "description": [], "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" + } ], "path": "src/plugins/data/common/search/expressions/remove_filter.ts", "deprecated": false, @@ -31670,45 +32491,19 @@ "description": [], "signature": [ "(input: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">, { group, ungrouped, from }: Arguments) => { filters: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" }, + ", { group, ungrouped, from }: Arguments) => { filters: ", + "Filter", "[]; type: \"kibana_context\"; query?: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", "[] | undefined; timeRange?: ", { "pluginId": "data", @@ -31730,22 +32525,13 @@ "label": "input", "description": [], "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"kibana_context\", ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.ExecutionContextSearch", - "text": "ExecutionContextSearch" - }, - ">" + "section": "def-common.ExpressionValueSearchContext", + "text": "ExpressionValueSearchContext" + } ], "path": "src/plugins/data/common/search/expressions/select_filter.ts", "deprecated": false, diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index 9035c7cb63319e..21174684af5f81 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3245 | 39 | 2853 | 48 | +| 3337 | 39 | 2936 | 26 | ## Client diff --git a/api_docs/data_ui.json b/api_docs/data_ui.json index ca430c525b4250..e4161008ebcc6e 100644 --- a/api_docs/data_ui.json +++ b/api_docs/data_ui.json @@ -289,13 +289,7 @@ "description": [], "signature": [ "((query: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void) | undefined" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", @@ -309,13 +303,7 @@ "label": "query", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", "deprecated": false, @@ -363,13 +351,7 @@ "description": [], "signature": [ "((query: ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", ") => void) | undefined" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", @@ -383,13 +365,7 @@ "label": "query", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - } + "Query" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", "deprecated": false, @@ -432,7 +408,8 @@ "label": "size", "description": [], "signature": [ - "\"s\" | \"l\" | undefined" + "SuggestionsListSize", + " | undefined" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", "deprecated": false @@ -484,7 +461,8 @@ "label": "iconType", "description": [], "signature": [ - "string | React.ComponentClass<{}, any> | React.FunctionComponent<{}> | undefined" + "IconType", + " | undefined" ], "path": "src/plugins/data/public/ui/query_string_input/query_string_input.tsx", "deprecated": false @@ -570,11 +548,12 @@ "label": "IndexPatternSelectProps", "description": [], "signature": [ - "Pick, \"title\" | \"id\" | \"async\" | \"compressed\" | \"fullWidth\" | \"isClearable\" | \"singleSelection\" | \"prepend\" | \"append\" | \"sortMatchesBy\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"autoFocus\" | \"data-test-subj\" | \"customOptionText\" | \"onCreateOption\" | \"renderOption\" | \"inputRef\" | \"isDisabled\" | \"isInvalid\" | \"noSuggestions\" | \"rowHeight\" | \"delimiter\">, \"title\" | \"id\" | \"async\" | \"compressed\" | \"fullWidth\" | \"isClearable\" | \"singleSelection\" | \"prepend\" | \"append\" | \"sortMatchesBy\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"autoFocus\" | \"data-test-subj\" | \"customOptionText\" | \"onCreateOption\" | \"renderOption\" | \"inputRef\" | \"isDisabled\" | \"isInvalid\" | \"noSuggestions\" | \"rowHeight\" | \"delimiter\"> & Required, \"onChange\" | \"options\" | \"selectedOptions\" | \"isLoading\" | \"onSearchChange\">, \"placeholder\"> & Required, \"title\" | \"id\" | \"async\" | \"compressed\" | \"fullWidth\" | \"isClearable\" | \"singleSelection\" | \"prepend\" | \"append\" | \"sortMatchesBy\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"autoFocus\" | \"data-test-subj\" | \"customOptionText\" | \"onCreateOption\" | \"renderOption\" | \"inputRef\" | \"isDisabled\" | \"isInvalid\" | \"noSuggestions\" | \"rowHeight\" | \"delimiter\">, \"placeholder\">> & { onChange: (indexPatternId?: string | undefined) => void; indexPatternId: string; onNoIndexPatterns?: (() => void) | undefined; }" + ", \"onChange\" | \"options\" | \"selectedOptions\" | \"isLoading\" | \"onSearchChange\">, \"placeholder\">> & { onChange: (indexPatternId?: string | undefined) => void; indexPatternId: string; onNoIndexPatterns?: (() => void) | undefined; }" ], "path": "src/plugins/data/public/ui/index_pattern_select/index_pattern_select.tsx", "deprecated": false, @@ -588,23 +567,17 @@ "label": "SearchBar", "description": [], "signature": [ - "React.ComponentClass, \"query\" | \"filters\" | \"savedQuery\" | \"isClearable\" | \"placeholder\" | \"isLoading\" | \"indexPatterns\" | \"customSubmitButton\" | \"screenTitle\" | \"dataTestSubj\" | \"showQueryBar\" | \"showQueryInput\" | \"showFilterBar\" | \"showDatePicker\" | \"showAutoRefreshOnly\" | \"isRefreshPaused\" | \"refreshInterval\" | \"dateRangeFrom\" | \"dateRangeTo\" | \"showSaveQuery\" | \"onQueryChange\" | \"onQuerySubmit\" | \"onSaved\" | \"onSavedQueryUpdated\" | \"onClearSavedQuery\" | \"onRefresh\" | \"indicateNoData\" | \"iconType\" | \"nonKqlMode\" | \"nonKqlModeHelpText\" | \"displayStyle\" | \"timeHistory\" | \"onFiltersUpdated\" | \"onRefreshChange\">, any> & { WrappedComponent: React.ComponentType & ReactIntl.InjectedIntlProps>; }" + "React.ComponentClass, keyof ", + "SearchBarOwnProps", + " | \"timeHistory\" | \"onFiltersUpdated\" | \"onRefreshChange\">, any> & { WrappedComponent: React.ComponentType & ReactIntl.InjectedIntlProps>; }" ], "path": "src/plugins/data/public/ui/search_bar/index.tsx", "deprecated": false, @@ -619,7 +592,8 @@ "description": [], "signature": [ "SearchBarOwnProps", - " & SearchBarInjectedDeps" + " & ", + "SearchBarInjectedDeps" ], "path": "src/plugins/data/public/ui/search_bar/search_bar.tsx", "deprecated": false, diff --git a/api_docs/data_ui.mdx b/api_docs/data_ui.mdx index f1324865005d2e..cfb91331ff3ed3 100644 --- a/api_docs/data_ui.mdx +++ b/api_docs/data_ui.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3245 | 39 | 2853 | 48 | +| 3337 | 39 | 2936 | 26 | ## Client diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index c73ae9b41afc13..b28035c0e029c2 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 13 | 0 | 9 | 0 | diff --git a/api_docs/data_view_field_editor.json b/api_docs/data_view_field_editor.json index fd18abd0bb86e7..8b3e28b5fd93a5 100644 --- a/api_docs/data_view_field_editor.json +++ b/api_docs/data_view_field_editor.json @@ -488,7 +488,7 @@ "\nA React component for editing custom field format params" ], "signature": [ - "(React.ComponentClass<", + "React.ComponentType<", { "pluginId": "dataViewFieldEditor", "scope": "public", @@ -496,15 +496,7 @@ "section": "def-public.FormatEditorProps", "text": "FormatEditorProps" }, - ", any> & { formatId: string; }) | (React.FunctionComponent<", - { - "pluginId": "dataViewFieldEditor", - "scope": "public", - "docId": "kibDataViewFieldEditorPluginApi", - "section": "def-public.FormatEditorProps", - "text": "FormatEditorProps" - }, - "> & { formatId: string; })" + "> & { formatId: string; }" ], "path": "src/plugins/data_view_field_editor/public/components/field_format_editor/editors/types.ts", "deprecated": false, diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index 36bbc70b3041ec..298d3eacb55478 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 42 | 0 | 39 | 3 | diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index 4015d5c4818374..41d00bfe300d6d 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 2 | 0 | 2 | 0 | diff --git a/api_docs/data_views.json b/api_docs/data_views.json index 780d23b80ee6b4..900042d09177aa 100644 --- a/api_docs/data_views.json +++ b/api_docs/data_views.json @@ -102,15 +102,15 @@ "section": "def-common.IIndexPatternFieldList", "text": "IIndexPatternFieldList" }, - " & { toSpec: () => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; }" + "; }" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false @@ -753,7 +753,15 @@ "label": "getAggregationRestrictions", "description": [], "signature": [ - "() => Record> | undefined" + "() => Record | undefined" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false, @@ -1135,7 +1143,15 @@ "label": "setFieldAttrs", "description": [], "signature": [ - "(fieldName: string, attrName: K, value: ", + "(fieldName: string, attrName: K, value: ", { "pluginId": "dataViews", "scope": "common", @@ -1578,7 +1594,8 @@ "\nScript field language" ], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -1591,7 +1608,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -1741,9 +1759,7 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -1833,13 +1849,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -1856,13 +1866,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -1893,10 +1897,10 @@ "label": "toJSON", "description": [], "signature": [ - "() => { count: number; script: string | undefined; lang: \"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "() => { count: number; script: string | undefined; lang: ", + "ScriptLanguage", + " | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", + "IFieldSubType", " | undefined; customLabel: string | undefined; }" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -2134,7 +2138,7 @@ "label": "getFieldsForWildcard", "description": [], "signature": [ - "({ pattern, metaFields, type, rollupIndex, allowNoIndex }: ", + "({ pattern, metaFields, type, rollupIndex, allowNoIndex, filter, }: ", { "pluginId": "dataViews", "scope": "common", @@ -2152,7 +2156,7 @@ "id": "def-public.DataViewsApiClient.getFieldsForWildcard.$1", "type": "Object", "tags": [], - "label": "{ pattern, metaFields, type, rollupIndex, allowNoIndex }", + "label": "{\n pattern,\n metaFields,\n type,\n rollupIndex,\n allowNoIndex,\n filter,\n }", "description": [], "signature": [ { @@ -2219,15 +2223,15 @@ "section": "def-public.DataViewsPublicPluginSetup", "text": "DataViewsPublicPluginSetup" }, - ", Pick<", + ", ", { "pluginId": "dataViews", - "scope": "common", + "scope": "public", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" + "section": "def-public.DataViewsPublicPluginStart", + "text": "DataViewsPublicPluginStart" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">, ", + ", ", "DataViewsPublicSetupDependencies", ", ", "DataViewsPublicStartDependencies", @@ -2254,15 +2258,15 @@ }, "<", "DataViewsPublicStartDependencies", - ", Pick<", + ", ", { "pluginId": "dataViews", - "scope": "common", + "scope": "public", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" + "section": "def-public.DataViewsPublicPluginStart", + "text": "DataViewsPublicPluginStart" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">>, { expressions }: ", + ">, { expressions }: ", "DataViewsPublicSetupDependencies", ") => ", { @@ -2293,15 +2297,15 @@ }, "<", "DataViewsPublicStartDependencies", - ", Pick<", + ", ", { "pluginId": "dataViews", - "scope": "common", + "scope": "public", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" + "section": "def-public.DataViewsPublicPluginStart", + "text": "DataViewsPublicPluginStart" }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">>" + ">" ], "path": "src/plugins/data_views/public/plugin.ts", "deprecated": false, @@ -2342,15 +2346,14 @@ }, ", { fieldFormats }: ", "DataViewsPublicStartDependencies", - ") => Pick<", + ") => ", { "pluginId": "dataViews", - "scope": "common", + "scope": "public", "docId": "kibDataViewsPluginApi", - "section": "def-common.DataViewsService", - "text": "DataViewsService" - }, - ", \"create\" | \"delete\" | \"find\" | \"get\" | \"ensureDefaultDataView\" | \"getIds\" | \"getTitles\" | \"getIdsWithTitle\" | \"clearCache\" | \"getCache\" | \"getDefault\" | \"getDefaultId\" | \"setDefault\" | \"hasUserDataView\" | \"getFieldsForWildcard\" | \"getFieldsForIndexPattern\" | \"refreshFields\" | \"fieldArrayToMap\" | \"savedObjectToSpec\" | \"createAndSave\" | \"createSavedObject\" | \"updateSavedObject\" | \"getDefaultDataView\">" + "section": "def-public.DataViewsPublicPluginStart", + "text": "DataViewsPublicPluginStart" + } ], "path": "src/plugins/data_views/public/plugin.ts", "deprecated": false, @@ -2473,7 +2476,7 @@ "id": "def-public.DataViewsService.Unnamed.$1", "type": "Object", "tags": [], - "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n }", + "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n getCanSave = () => Promise.resolve(false),\n }", "description": [], "signature": [ "IndexPatternsServiceDeps" @@ -2695,15 +2698,9 @@ "signature": [ "() => Promise<", "SavedObject", - ">[] | null | undefined>" + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -2833,7 +2830,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise" + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -2897,7 +2902,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise" + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -3028,15 +3041,14 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -3585,6 +3597,26 @@ "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": true, "references": [ + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/index.ts" @@ -3741,14 +3773,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" - }, - { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx" @@ -4147,79 +4171,79 @@ }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", @@ -4245,6 +4269,14 @@ "plugin": "apm", "path": "x-pack/plugins/apm/public/components/app/RumDashboard/LocalUIFilters/SelectedFilters.tsx" }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, { "plugin": "lens", "path": "x-pack/plugins/lens/server/routes/existing_fields.ts" @@ -4609,6 +4641,18 @@ "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/terms.test.ts" @@ -4837,6 +4881,10 @@ "plugin": "lens", "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/common/search/aggs/agg_config.d.ts" + }, { "plugin": "data", "path": "src/plugins/data/public/search/errors/painless_error.tsx" @@ -5227,67 +5275,67 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", @@ -5457,6 +5505,14 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/components/search_bar.tsx" @@ -6418,6 +6474,22 @@ "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": true, "references": [ + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/index.ts" @@ -6658,6 +6730,18 @@ "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/terms.test.ts" @@ -6988,19 +7072,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", @@ -7040,19 +7124,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", @@ -7100,31 +7184,31 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", @@ -7850,22 +7934,6 @@ "plugin": "discover", "path": "src/plugins/discover/target/types/public/application/main/components/sidebar/lib/group_fields.d.ts" }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, { "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/common/components/top_values/top_values.tsx" @@ -7971,14 +8039,6 @@ "plugin": "data", "path": "src/plugins/data/server/index.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -8143,15 +8203,7 @@ "label": "savedObjectClient", "description": [], "signature": [ - "Pick<", - { - "pluginId": "core", - "scope": "public", - "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-public.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"delete\" | \"find\" | \"resolve\" | \"update\">" + "SOClient" ], "path": "src/plugins/data_views/public/saved_objects_client_wrapper.ts", "deprecated": false, @@ -8534,9 +8586,9 @@ "label": "getAll", "description": [], "signature": [ - "() => Promise, \"name\" | \"type\" | \"description\" | \"options\" | \"order\" | \"value\" | \"category\" | \"optionLabels\" | \"requiresPageReload\" | \"readonly\" | \"sensitive\" | \"deprecation\" | \"metric\"> & ", + "() => Promise>>" ], @@ -9105,15 +9157,14 @@ "section": "def-common.FieldFormat", "text": "FieldFormat" }, - ") | undefined; } | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/fields/field_list.ts", "deprecated": false, @@ -9199,88 +9250,1067 @@ "label": "aggs", "description": [], "signature": [ - "Record> | undefined" + "Record | undefined" + ], + "path": "src/plugins/data_views/common/types.ts", + "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.TypeMeta.params", + "type": "Object", + "tags": [], + "label": "params", + "description": [], + "signature": [ + "{ rollup_index: string; } | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false + } + ], + "initialIsOpen": false + } + ], + "enums": [], + "misc": [ + { + "parentPluginId": "dataViews", + "id": "def-public.CONTAINS_SPACES_KEY", + "type": "string", + "tags": [], + "label": "CONTAINS_SPACES_KEY", + "description": [], + "signature": [ + "\"CONTAINS_SPACES\"" + ], + "path": "src/plugins/data_views/common/lib/types.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.DataViewsContract", + "type": "Type", + "tags": [], + "label": "DataViewsContract", + "description": [], + "signature": [ + "{ create: (spec: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", skipFetchFields?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; delete: (indexPatternId: string) => Promise<{}>; find: (search: string, size?: number) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + "[]>; get: (id: string) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; ensureDefaultDataView: ", + "EnsureDefaultDataView", + "; getIds: (refresh?: boolean) => Promise; getTitles: (refresh?: boolean) => Promise; getIdsWithTitle: (refresh?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewListItem", + "text": "DataViewListItem" + }, + "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", + "SavedObject", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | null>; getDefaultId: () => Promise; setDefault: (id: string | null, force?: boolean) => Promise; hasUserDataView: () => Promise; getFieldsForWildcard: (options: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.GetFieldsOptions", + "text": "GetFieldsOptions" + }, + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", options?: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.GetFieldsOptions", + "text": "GetFieldsOptions" + }, + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ") => Promise; fieldArrayToMap: (fields: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[], fieldAttrs?: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldAttrs", + "text": "FieldAttrs" + }, + " | undefined) => ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + }, + "; savedObjectToSpec: (savedObject: ", + "SavedObject", + "<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewAttributes", + "text": "DataViewAttributes" + }, + ">) => ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + "; createAndSave: (spec: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", override?: boolean, skipFetchFields?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; createSavedObject: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ", override?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; updateSavedObject: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ", saveAttempts?: number, ignoreErrors?: boolean) => Promise; getDefaultDataView: () => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | undefined>; }" + ], + "path": "src/plugins/data_views/common/data_views/data_views.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.ILLEGAL_CHARACTERS", + "type": "Array", + "tags": [], + "label": "ILLEGAL_CHARACTERS", + "description": [], + "signature": [ + "string[]" + ], + "path": "src/plugins/data_views/common/lib/types.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.ILLEGAL_CHARACTERS_KEY", + "type": "string", + "tags": [], + "label": "ILLEGAL_CHARACTERS_KEY", + "description": [], + "signature": [ + "\"ILLEGAL_CHARACTERS\"" + ], + "path": "src/plugins/data_views/common/lib/types.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.ILLEGAL_CHARACTERS_VISIBLE", + "type": "Array", + "tags": [], + "label": "ILLEGAL_CHARACTERS_VISIBLE", + "description": [], + "signature": [ + "string[]" + ], + "path": "src/plugins/data_views/common/lib/types.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "dataViews", + "id": "def-public.IndexPatternsContract", + "type": "Type", + "tags": [ + "deprecated" + ], + "label": "IndexPatternsContract", + "description": [], + "signature": [ + "{ create: (spec: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", skipFetchFields?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; delete: (indexPatternId: string) => Promise<{}>; find: (search: string, size?: number) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + "[]>; get: (id: string) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; ensureDefaultDataView: ", + "EnsureDefaultDataView", + "; getIds: (refresh?: boolean) => Promise; getTitles: (refresh?: boolean) => Promise; getIdsWithTitle: (refresh?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewListItem", + "text": "DataViewListItem" + }, + "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", + "SavedObject", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | null>; getDefaultId: () => Promise; setDefault: (id: string | null, force?: boolean) => Promise; hasUserDataView: () => Promise; getFieldsForWildcard: (options: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.GetFieldsOptions", + "text": "GetFieldsOptions" + }, + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", options?: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.GetFieldsOptions", + "text": "GetFieldsOptions" + }, + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ") => Promise; fieldArrayToMap: (fields: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[], fieldAttrs?: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldAttrs", + "text": "FieldAttrs" + }, + " | undefined) => ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + }, + "; savedObjectToSpec: (savedObject: ", + "SavedObject", + "<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewAttributes", + "text": "DataViewAttributes" + }, + ">) => ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + "; createAndSave: (spec: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataViewSpec", + "text": "DataViewSpec" + }, + ", override?: boolean, skipFetchFields?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; createSavedObject: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ", override?: boolean) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ">; updateSavedObject: (indexPattern: ", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + ", saveAttempts?: number, ignoreErrors?: boolean) => Promise; getDefaultDataView: () => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.DataView", + "text": "DataView" + }, + " | undefined>; }" + ], + "path": "src/plugins/data_views/common/data_views/data_views.ts", + "deprecated": true, + "references": [ + { + "plugin": "data", + "path": "src/plugins/data/common/index.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/create_search_source.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/create_search_source.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source_service.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source_service.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/types.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/types.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/use_data_grid_columns.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/use_data_grid_columns.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/use_index_pattern.tsx" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/use_index_pattern.tsx" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts" + }, + { + "plugin": "observability", + "path": "x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx" + }, + { + "plugin": "observability", + "path": "x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/create_search_source.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/create_search_source.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/create_search_source.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source_service.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source_service.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/expressions/esaggs.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/expressions/esaggs.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/server/search/expressions/esaggs.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/server/search/expressions/esaggs.test.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/services.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/services.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/index.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/index_pattern_select/index_pattern_select.tsx" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/index_pattern_select/index_pattern_select.tsx" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/index_pattern_select/create_index_pattern_select.tsx" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/index_pattern_select/create_index_pattern_select.tsx" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/aggs/aggs_service.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/aggs/aggs_service.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/query_string_input/fetch_index_patterns.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/ui/query_string_input/fetch_index_patterns.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/search_service.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/search/search_service.ts" + }, + { + "plugin": "savedObjects", + "path": "src/plugins/saved_objects/public/types.ts" + }, + { + "plugin": "savedObjects", + "path": "src/plugins/saved_objects/public/types.ts" + }, + { + "plugin": "savedObjects", + "path": "src/plugins/saved_objects/public/saved_object/helpers/hydrate_index_pattern.ts" + }, + { + "plugin": "savedObjects", + "path": "src/plugins/saved_objects/public/saved_object/helpers/hydrate_index_pattern.ts" + }, + { + "plugin": "security", + "path": "x-pack/plugins/security/public/management/roles/edit_role/edit_role_page.tsx" + }, + { + "plugin": "security", + "path": "x-pack/plugins/security/public/management/roles/edit_role/edit_role_page.tsx" + }, + { + "plugin": "security", + "path": "x-pack/plugins/security/public/management/roles/edit_role/edit_role_page.tsx" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/build_services.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/build_services.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/popularize_field.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/utils/popularize_field.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/components/doc_table/actions/columns.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/public/components/doc_table/actions/columns.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/types.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/types.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/application/test_helpers/make_default_services.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/public/application/test_helpers/make_default_services.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/embeddable/embeddable.tsx" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/utils.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/utils.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/embeddable/embeddable_factory.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/embeddable/embeddable_factory.ts" + }, + { + "plugin": "maps", + "path": "x-pack/plugins/maps/public/lazy_load_bundle/index.ts" + }, + { + "plugin": "maps", + "path": "x-pack/plugins/maps/public/lazy_load_bundle/index.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/application.tsx" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/application.tsx" + }, + { + "plugin": "stackAlerts", + "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/geo_index_pattern_select.tsx" + }, + { + "plugin": "stackAlerts", + "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/geo_index_pattern_select.tsx" + }, + { + "plugin": "transform", + "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" + }, + { + "plugin": "transform", + "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" + }, + { + "plugin": "transform", + "path": "x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/target/types/public/utils.d.ts" + }, + { + "plugin": "lens", + "path": "x-pack/plugins/lens/target/types/public/utils.d.ts" + }, + { + "plugin": "maps", + "path": "x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts" + }, + { + "plugin": "maps", + "path": "x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts" + }, + { + "plugin": "security", + "path": "x-pack/plugins/security/target/types/public/management/roles/edit_role/edit_role_page.d.ts" + }, + { + "plugin": "security", + "path": "x-pack/plugins/security/target/types/public/management/roles/edit_role/edit_role_page.d.ts" + }, + { + "plugin": "stackAlerts", + "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/geo_index_pattern_select.d.ts" + }, + { + "plugin": "stackAlerts", + "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/geo_index_pattern_select.d.ts" + }, + { + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/public/components/utils.ts" + }, + { + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/public/components/utils.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.ts" + }, + { + "plugin": "savedObjectsManagement", + "path": "src/plugins/saved_objects_management/public/management_section/objects_table/components/flyout.tsx" + }, + { + "plugin": "savedObjectsManagement", + "path": "src/plugins/saved_objects_management/public/management_section/objects_table/components/flyout.tsx" + }, + { + "plugin": "savedObjectsManagement", + "path": "src/plugins/saved_objects_management/public/management_section/objects_table/saved_objects_table.tsx" + }, + { + "plugin": "savedObjectsManagement", + "path": "src/plugins/saved_objects_management/public/management_section/objects_table/saved_objects_table.tsx" + }, + { + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/public/components/utils.test.ts" + }, + { + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/public/components/utils.test.ts" + }, + { + "plugin": "visTypeTimelion", + "path": "src/plugins/vis_types/timelion/public/helpers/plugin_services.ts" + }, + { + "plugin": "visTypeTimelion", + "path": "src/plugins/vis_types/timelion/public/helpers/plugin_services.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/actions/filters/create_filters_from_range_select.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/actions/filters/create_filters_from_range_select.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/actions/filters/create_filters_from_value_click.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/public/actions/filters/create_filters_from_value_click.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/public/ui/index_pattern_select/index_pattern_select.d.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/public/ui/index_pattern_select/index_pattern_select.d.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/public/ui/index_pattern_select/create_index_pattern_select.d.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/public/ui/index_pattern_select/create_index_pattern_select.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/build_services.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/build_services.d.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/phrase_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/range_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/range_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/range_filter_manager.test.ts" + }, + { + "plugin": "inputControlVis", + "path": "src/plugins/input_control_vis/public/control/filter_manager/range_filter_manager.test.ts" + }, + { + "plugin": "visTypeTimelion", + "path": "src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts" + }, + { + "plugin": "visTypeTimelion", + "path": "src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts" + }, + { + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/target/types/public/components/utils.d.ts" }, { - "parentPluginId": "dataViews", - "id": "def-public.TypeMeta.params", - "type": "Object", - "tags": [], - "label": "params", - "description": [], - "signature": [ - "{ rollup_index: string; } | undefined" - ], - "path": "src/plugins/data_views/common/types.ts", - "deprecated": false + "plugin": "dataViewManagement", + "path": "src/plugins/data_view_management/target/types/public/components/utils.d.ts" } ], "initialIsOpen": false } ], - "enums": [], - "misc": [ - { - "parentPluginId": "dataViews", - "id": "def-public.CONTAINS_SPACES_KEY", - "type": "string", - "tags": [], - "label": "CONTAINS_SPACES_KEY", - "description": [], - "signature": [ - "\"CONTAINS_SPACES\"" - ], - "path": "src/plugins/data_views/common/lib/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "dataViews", - "id": "def-public.ILLEGAL_CHARACTERS", - "type": "Array", - "tags": [], - "label": "ILLEGAL_CHARACTERS", - "description": [], - "signature": [ - "string[]" - ], - "path": "src/plugins/data_views/common/lib/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "dataViews", - "id": "def-public.ILLEGAL_CHARACTERS_KEY", - "type": "string", - "tags": [], - "label": "ILLEGAL_CHARACTERS_KEY", - "description": [], - "signature": [ - "\"ILLEGAL_CHARACTERS\"" - ], - "path": "src/plugins/data_views/common/lib/types.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "dataViews", - "id": "def-public.ILLEGAL_CHARACTERS_VISIBLE", - "type": "Array", - "tags": [], - "label": "ILLEGAL_CHARACTERS_VISIBLE", - "description": [], - "signature": [ - "string[]" - ], - "path": "src/plugins/data_views/common/lib/types.ts", - "deprecated": false, - "initialIsOpen": false - } - ], "objects": [], + "setup": { + "parentPluginId": "dataViews", + "id": "def-public.DataViewsPublicPluginSetup", + "type": "Interface", + "tags": [], + "label": "DataViewsPublicPluginSetup", + "description": [ + "\nData plugin public Setup contract" + ], + "path": "src/plugins/data_views/public/types.ts", + "deprecated": false, + "children": [], + "lifecycle": "setup", + "initialIsOpen": true + }, "start": { "parentPluginId": "dataViews", "id": "def-public.DataViewsPublicPluginStart", @@ -9335,15 +10365,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -9359,7 +10383,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -9383,7 +10415,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -9407,15 +10447,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -9487,21 +10527,6 @@ "deprecated": false, "lifecycle": "start", "initialIsOpen": true - }, - "setup": { - "parentPluginId": "dataViews", - "id": "def-public.DataViewsPublicPluginSetup", - "type": "Interface", - "tags": [], - "label": "DataViewsPublicPluginSetup", - "description": [ - "\nData plugin public Setup contract" - ], - "path": "src/plugins/data_views/public/types.ts", - "deprecated": false, - "children": [], - "lifecycle": "setup", - "initialIsOpen": true } }, "server": { @@ -9680,7 +10705,7 @@ "label": "start", "description": [], "signature": [ - "({ uiSettings }: ", + "({ uiSettings, capabilities }: ", { "pluginId": "core", "scope": "server", @@ -9690,15 +10715,15 @@ }, ", { fieldFormats }: ", "DataViewsServerPluginStartDependencies", - ") => { indexPatternsServiceFactory: (savedObjectsClient: Pick<", + ") => { indexPatternsServiceFactory: (savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, elasticsearchClient: ", + ", elasticsearchClient: ", { "pluginId": "core", "scope": "server", @@ -9706,7 +10731,15 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - ") => Promise<", + ", request?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined) => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -9714,15 +10747,15 @@ "section": "def-common.DataViewsService", "text": "DataViewsService" }, - ">; dataViewsServiceFactory: (savedObjectsClient: Pick<", + ">; dataViewsServiceFactory: (savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, elasticsearchClient: ", + ", elasticsearchClient: ", { "pluginId": "core", "scope": "server", @@ -9730,7 +10763,15 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - ") => Promise<", + ", request?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined) => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -9748,7 +10789,7 @@ "id": "def-server.DataViewsServerPlugin.start.$1", "type": "Object", "tags": [], - "label": "{ uiSettings }", + "label": "{ uiSettings, capabilities }", "description": [], "signature": [ { @@ -9872,7 +10913,9 @@ "\n Get a list of field objects for an index pattern that may contain wildcards\n" ], "signature": [ - "(options: { pattern: string | string[]; metaFields?: string[] | undefined; fieldCapsOptions?: { allow_no_indices: boolean; } | undefined; type?: string | undefined; rollupIndex?: string | undefined; }) => Promise<", + "(options: { pattern: string | string[]; metaFields?: string[] | undefined; fieldCapsOptions?: { allow_no_indices: boolean; } | undefined; type?: string | undefined; rollupIndex?: string | undefined; filter?: ", + "QueryDslQueryContainer", + " | undefined; }) => Promise<", { "pluginId": "dataViews", "scope": "server", @@ -9959,6 +11002,20 @@ ], "path": "src/plugins/data_views/server/fetcher/index_patterns_fetcher.ts", "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-server.IndexPatternsFetcher.getFieldsForWildcard.$1.filter", + "type": "Object", + "tags": [], + "label": "filter", + "description": [], + "signature": [ + "QueryDslQueryContainer", + " | undefined" + ], + "path": "src/plugins/data_views/server/fetcher/index_patterns_fetcher.ts", + "deprecated": false } ] } @@ -10100,7 +11157,7 @@ "label": "dataViewsServiceFactory", "description": [], "signature": [ - "({ logger, uiSettings, fieldFormats, }: { logger: ", + "({ logger, uiSettings, fieldFormats, capabilities, }: { logger: ", { "pluginId": "@kbn/logging", "scope": "server", @@ -10124,15 +11181,23 @@ "section": "def-server.FieldFormatsStart", "text": "FieldFormatsStart" }, - "; }) => (savedObjectsClient: Pick<", + "; capabilities: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCorePluginApi", + "section": "def-server.CapabilitiesStart", + "text": "CapabilitiesStart" + }, + "; }) => (savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, elasticsearchClient: ", + ", elasticsearchClient: ", { "pluginId": "core", "scope": "server", @@ -10140,7 +11205,15 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - ") => Promise<", + ", request?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined) => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -10158,7 +11231,7 @@ "id": "def-server.dataViewsServiceFactory.$1", "type": "Object", "tags": [], - "label": "{\n logger,\n uiSettings,\n fieldFormats,\n }", + "label": "{\n logger,\n uiSettings,\n fieldFormats,\n capabilities,\n }", "description": [], "path": "src/plugins/data_views/server/data_views_service_factory.ts", "deprecated": false, @@ -10219,6 +11292,25 @@ ], "path": "src/plugins/data_views/server/data_views_service_factory.ts", "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-server.dataViewsServiceFactory.$1.capabilities", + "type": "Object", + "tags": [], + "label": "capabilities", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "server", + "docId": "kibCorePluginApi", + "section": "def-server.CapabilitiesStart", + "text": "CapabilitiesStart" + } + ], + "path": "src/plugins/data_views/server/data_views_service_factory.ts", + "deprecated": false } ] } @@ -10234,15 +11326,15 @@ "label": "findIndexPatternById", "description": [], "signature": [ - "(savedObjectsClient: Pick<", + "(savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, index: string) => Promise<", + ", index: string) => Promise<", "SavedObject", "<", { @@ -10265,15 +11357,13 @@ "label": "savedObjectsClient", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "src/plugins/data_views/server/utils.ts", "deprecated": false, @@ -10680,15 +11770,15 @@ "label": "dataViewsServiceFactory", "description": [], "signature": [ - "(savedObjectsClient: Pick<", + "(savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, elasticsearchClient: ", + ", elasticsearchClient: ", { "pluginId": "core", "scope": "server", @@ -10696,7 +11786,15 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - ") => Promise<", + ", request?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined) => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -11010,15 +12108,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -11055,9 +12153,9 @@ "label": "elasticsearchClient", "description": [], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -11067,6 +12165,26 @@ ], "path": "src/plugins/data_views/server/types.ts", "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-server.DataViewsServerPluginStart.dataViewsServiceFactory.$3", + "type": "Object", + "tags": [], + "label": "request", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined" + ], + "path": "src/plugins/data_views/server/types.ts", + "deprecated": false } ] }, @@ -11080,15 +12198,15 @@ "label": "indexPatternsServiceFactory", "description": [], "signature": [ - "(savedObjectsClient: Pick<", + "(savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, elasticsearchClient: ", + ", elasticsearchClient: ", { "pluginId": "core", "scope": "server", @@ -11096,7 +12214,15 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - ") => Promise<", + ", request?: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined) => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -11149,10 +12275,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/server/kibana_server_services.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/plugin.ts" - }, { "plugin": "securitySolution", "path": "x-pack/plugins/security_solution/server/lib/sourcerer/routes/index.ts" @@ -11472,15 +12594,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -11517,9 +12639,9 @@ "label": "elasticsearchClient", "description": [], "signature": [ - "Pick<", + "Omit<", "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", + ", \"extend\" | \"connectionPool\" | \"transport\" | \"serializer\" | \"child\" | \"close\" | \"diagnostic\"> & { transport: { request(params: ", "TransportRequestParams", ", options?: ", "TransportRequestOptions", @@ -11529,6 +12651,26 @@ ], "path": "src/plugins/data_views/server/types.ts", "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-server.DataViewsServerPluginStart.indexPatternsServiceFactory.$3", + "type": "Object", + "tags": [], + "label": "request", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + " | undefined" + ], + "path": "src/plugins/data_views/server/types.ts", + "deprecated": false } ] } @@ -11652,15 +12794,15 @@ "section": "def-common.IIndexPatternFieldList", "text": "IIndexPatternFieldList" }, - " & { toSpec: () => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; }" + "; }" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false @@ -12303,7 +13445,15 @@ "label": "getAggregationRestrictions", "description": [], "signature": [ - "() => Record> | undefined" + "() => Record | undefined" ], "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": false, @@ -12685,7 +13835,15 @@ "label": "setFieldAttrs", "description": [], "signature": [ - "(fieldName: string, attrName: K, value: ", + "(fieldName: string, attrName: K, value: ", { "pluginId": "dataViews", "scope": "common", @@ -13128,7 +14286,8 @@ "\nScript field language" ], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -13141,7 +14300,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": false @@ -13291,9 +14451,7 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -13383,13 +14541,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -13406,13 +14558,7 @@ "description": [], "signature": [ "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -13443,10 +14589,10 @@ "label": "toJSON", "description": [], "signature": [ - "() => { count: number; script: string | undefined; lang: \"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "() => { count: number; script: string | undefined; lang: ", + "ScriptLanguage", + " | undefined; conflictDescriptions: Record | undefined; name: string; type: string; esTypes: string[] | undefined; scripted: boolean; searchable: boolean; aggregatable: boolean; readFromDocValues: boolean; subType: ", + "IFieldSubType", " | undefined; customLabel: string | undefined; }" ], "path": "src/plugins/data_views/common/fields/data_view_field.ts", @@ -13685,7 +14831,7 @@ "id": "def-common.DataViewsService.Unnamed.$1", "type": "Object", "tags": [], - "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n }", + "label": "{\n uiSettings,\n savedObjectsClient,\n apiClient,\n fieldFormats,\n onNotification,\n onError,\n onRedirectNoIndexPattern = () => {},\n getCanSave = () => Promise.resolve(false),\n }", "description": [], "signature": [ "IndexPatternsServiceDeps" @@ -13905,17 +15051,11 @@ "label": "getCache", "description": [], "signature": [ - "() => Promise<", - "SavedObject", - ">[] | null | undefined>" + "() => Promise<", + "SavedObject", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -14045,7 +15185,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise" + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -14109,7 +15257,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise" + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>" ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -14240,15 +15396,14 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/data_views/data_views.ts", "deprecated": false, @@ -14850,6 +16005,26 @@ "path": "src/plugins/data_views/common/data_views/data_view.ts", "deprecated": true, "references": [ + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts" + }, + { + "plugin": "discover", + "path": "src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/index.ts" @@ -15006,14 +16181,6 @@ "plugin": "visTypeTimeseries", "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts" }, - { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" - }, - { - "plugin": "reporting", - "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" - }, { "plugin": "discover", "path": "src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx" @@ -15412,79 +16579,79 @@ }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts" + "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", - "path": "x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/index_pattern_management/index_pattern_management.tsx" + "path": "x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts" }, { "plugin": "dataVisualizer", @@ -15510,6 +16677,14 @@ "plugin": "apm", "path": "x-pack/plugins/apm/public/components/app/RumDashboard/LocalUIFilters/SelectedFilters.tsx" }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, + { + "plugin": "reporting", + "path": "x-pack/plugins/reporting/server/export_types/csv_searchsource/generate_csv/generate_csv.ts" + }, { "plugin": "lens", "path": "x-pack/plugins/lens/server/routes/existing_fields.ts" @@ -15874,6 +17049,18 @@ "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/terms.test.ts" @@ -16102,6 +17289,10 @@ "plugin": "lens", "path": "x-pack/plugins/lens/public/indexpattern_datasource/loader.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/target/types/common/search/aggs/agg_config.d.ts" + }, { "plugin": "data", "path": "src/plugins/data/public/search/errors/painless_error.tsx" @@ -16492,67 +17683,67 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_agg_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/count_agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/fields/agg/agg_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/sources/es_agg_source/es_agg_source.ts" }, { "plugin": "maps", @@ -16722,6 +17913,14 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, + { + "plugin": "graph", + "path": "x-pack/plugins/graph/public/state_management/persistence.ts" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/components/search_bar.tsx" @@ -17683,6 +18882,22 @@ "path": "src/plugins/data_views/common/fields/data_view_field.ts", "deprecated": true, "references": [ + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/param_types/field.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/index.ts" @@ -17923,6 +19138,18 @@ "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/multi_terms.test.ts" + }, { "plugin": "data", "path": "src/plugins/data/common/search/aggs/buckets/terms.test.ts" @@ -18253,19 +19480,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" + "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" }, { "plugin": "maps", @@ -18305,19 +19532,19 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/single_field_select.tsx" + "path": "x-pack/plugins/maps/public/index_pattern_util.ts" }, { "plugin": "maps", @@ -18365,31 +19592,31 @@ }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/index_pattern_util.ts" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", - "path": "x-pack/plugins/maps/public/components/metrics_editor/metric_editor.tsx" + "path": "x-pack/plugins/maps/public/classes/fields/es_doc_field.ts" }, { "plugin": "maps", @@ -19115,22 +20342,6 @@ "plugin": "discover", "path": "src/plugins/discover/target/types/public/application/main/components/sidebar/lib/group_fields.d.ts" }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/param_types/field.ts" - }, { "plugin": "dataVisualizer", "path": "x-pack/plugins/data_visualizer/public/application/common/components/top_values/top_values.tsx" @@ -19236,14 +20447,6 @@ "plugin": "data", "path": "src/plugins/data/server/index.ts" }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, - { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/kibana_server_services.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/create_doc_source.ts" @@ -19437,22 +20640,8 @@ "label": "getFieldSubtypeMulti", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeMulti", - "text": "IFieldSubTypeMulti" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeMulti", " | undefined" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -19468,9 +20657,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -19487,22 +20674,8 @@ "label": "getFieldSubtypeNested", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.IFieldSubTypeNested", - "text": "IFieldSubTypeNested" - }, + "(field: HasSubtype) => ", + "IFieldSubTypeNested", " | undefined" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -19518,9 +20691,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -19537,7 +20708,7 @@ "label": "getIndexPatternLoadMeta", "description": [], "signature": [ - "() => Pick<", + "() => Omit<", { "pluginId": "dataViews", "scope": "common", @@ -19545,7 +20716,7 @@ "section": "def-common.IndexPatternLoadExpressionFunctionDefinition", "text": "IndexPatternLoadExpressionFunctionDefinition" }, - ", \"name\" | \"type\" | \"telemetry\" | \"inject\" | \"extract\" | \"migrations\" | \"disabled\" | \"help\" | \"inputTypes\" | \"args\" | \"aliases\" | \"context\">" + ", \"fn\">" ], "path": "src/plugins/data_views/common/expressions/load_index_pattern.ts", "deprecated": false, @@ -19606,15 +20777,7 @@ "label": "isMultiField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data_views/common/fields/utils.ts", "deprecated": false, @@ -19629,9 +20792,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -19648,15 +20809,7 @@ "label": "isNestedField", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "src/plugins/data_views/common/fields/utils.ts", "deprecated": false, @@ -19671,9 +20824,7 @@ "description": [], "signature": [ "{ subType?: ", - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined; }" ], "path": "src/plugins/data_views/common/fields/utils.ts", @@ -20016,15 +21167,14 @@ "label": "fields", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -20238,13 +21388,7 @@ "text": "FieldSpec" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false, @@ -20470,7 +21614,8 @@ "label": "lang", "description": [], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -20483,7 +21628,14 @@ "label": "conflictDescriptions", "description": [], "signature": [ - "Record | undefined" + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpecConflictDescriptions", + "text": "FieldSpecConflictDescriptions" + }, + " | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -20506,13 +21658,7 @@ "label": "type", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -20581,9 +21727,7 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + "IFieldSubType", " | undefined" ], "path": "src/plugins/data_views/common/types.ts", @@ -20717,6 +21861,20 @@ ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false + }, + { + "parentPluginId": "dataViews", + "id": "def-common.GetFieldsOptions.filter", + "type": "Object", + "tags": [], + "label": "filter", + "description": [], + "signature": [ + "QueryDslQueryContainer", + " | undefined" + ], + "path": "src/plugins/data_views/common/types.ts", + "deprecated": false } ], "initialIsOpen": false @@ -20911,13 +22069,7 @@ "text": "IFieldType" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - } + "DataViewFieldBase" ], "path": "src/plugins/data_views/common/fields/types.ts", "deprecated": true, @@ -20927,6 +22079,14 @@ "plugin": "data", "path": "src/plugins/data/common/index.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts" + }, { "plugin": "data", "path": "src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts" @@ -20979,14 +22139,6 @@ "plugin": "data", "path": "src/plugins/data/public/autocomplete/providers/value_suggestion_provider.ts" }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/aggs/buckets/date_histogram.ts" - }, { "plugin": "data", "path": "src/plugins/data/public/index.ts" @@ -21067,126 +22219,6 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/components/search_bar.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/inventory/components/expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/selector.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" @@ -21239,78 +22271,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/public/alert_types/geo_containment/query_builder/util_components/single_field_select.tsx" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/group_by_expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/common/group_by_expression/selector.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/expression.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/inventory/components/metric.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/metric_threshold/components/expression_row.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criteria.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/alerting/log_threshold/components/expression_editor/criterion.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/group_by.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/metrics_explorer/components/metrics.d.ts" - }, { "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" @@ -21319,38 +22279,6 @@ "plugin": "stackAlerts", "path": "x-pack/plugins/stack_alerts/target/types/public/alert_types/geo_containment/query_builder/util_components/single_field_select.d.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/infra/target/types/public/pages/metrics/inventory_view/components/waffle/metric_control/index.d.ts" - }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/utils.ts" @@ -21762,13 +22690,7 @@ "text": "IIndexPattern" }, " extends ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewBase", - "text": "DataViewBase" - } + "DataViewBase" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": true, @@ -21793,6 +22715,26 @@ "plugin": "data", "path": "src/plugins/data/common/query/timefilter/get_time.ts" }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source.ts" + }, + { + "plugin": "data", + "path": "src/plugins/data/common/search/search_source/search_source.ts" + }, { "plugin": "data", "path": "src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts" @@ -21877,26 +22819,6 @@ "plugin": "data", "path": "src/plugins/data/public/autocomplete/providers/value_suggestion_provider.ts" }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/search_source/normalize_sort_request.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/search_source/search_source.ts" - }, - { - "plugin": "data", - "path": "src/plugins/data/common/search/search_source/search_source.ts" - }, { "plugin": "data", "path": "src/plugins/data/public/ui/search_bar/search_bar.tsx" @@ -22761,15 +23683,14 @@ "section": "def-common.FieldFormat", "text": "FieldFormat" }, - ") | undefined; } | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" - }, - ">" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" + } ], "path": "src/plugins/data_views/common/fields/field_list.ts", "deprecated": false, @@ -22900,7 +23821,7 @@ "label": "type", "description": [], "signature": [ - "\"boolean\" | \"date\" | \"geo_point\" | \"ip\" | \"keyword\" | \"long\" | \"double\"" + "\"boolean\" | \"keyword\" | \"ip\" | \"date\" | \"geo_point\" | \"long\" | \"double\"" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -23564,7 +24485,15 @@ "label": "aggs", "description": [], "signature": [ - "Record> | undefined" + "Record | undefined" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false @@ -23857,15 +24786,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -23881,7 +24804,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -23905,7 +24836,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -23929,15 +24868,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -24460,15 +25399,9 @@ }, "[]>; clearCache: (id?: string | undefined) => void; getCache: () => Promise<", "SavedObject", - ">[] | null | undefined>; getDefault: () => Promise<", + "<", + "IndexPatternSavedObjectAttrs", + ">[] | null | undefined>; getDefault: () => Promise<", { "pluginId": "dataViews", "scope": "common", @@ -24484,7 +25417,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - ") => Promise; getFieldsForIndexPattern: (indexPattern: ", + ") => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; getFieldsForIndexPattern: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -24508,7 +25449,15 @@ "section": "def-common.GetFieldsOptions", "text": "GetFieldsOptions" }, - " | undefined) => Promise; refreshFields: (indexPattern: ", + " | undefined) => Promise<", + { + "pluginId": "dataViews", + "scope": "common", + "docId": "kibDataViewsPluginApi", + "section": "def-common.FieldSpec", + "text": "FieldSpec" + }, + "[]>; refreshFields: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -24532,15 +25481,15 @@ "section": "def-common.FieldAttrs", "text": "FieldAttrs" }, - " | undefined) => Record ", { "pluginId": "dataViews", "scope": "common", "docId": "kibDataViewsPluginApi", - "section": "def-common.FieldSpec", - "text": "FieldSpec" + "section": "def-common.DataViewFieldMap", + "text": "DataViewFieldMap" }, - ">; savedObjectToSpec: (savedObject: ", + "; savedObjectToSpec: (savedObject: ", "SavedObject", "<", { @@ -24901,11 +25850,11 @@ }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "graph", - "path": "x-pack/plugins/graph/public/application.ts" + "path": "x-pack/plugins/graph/public/application.tsx" }, { "plugin": "stackAlerts", @@ -25305,7 +26254,7 @@ "signature": [ "Pick<", "Toast", - ", \"onChange\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"className\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"color\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"security\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"children\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDown\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClick\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", + ", \"children\" | \"onClick\" | \"onChange\" | \"color\" | \"onKeyDown\" | \"security\" | \"className\" | \"defaultChecked\" | \"defaultValue\" | \"suppressContentEditableWarning\" | \"suppressHydrationWarning\" | \"accessKey\" | \"contentEditable\" | \"contextMenu\" | \"dir\" | \"draggable\" | \"hidden\" | \"lang\" | \"placeholder\" | \"slot\" | \"spellCheck\" | \"style\" | \"tabIndex\" | \"translate\" | \"radioGroup\" | \"role\" | \"about\" | \"datatype\" | \"inlist\" | \"prefix\" | \"property\" | \"resource\" | \"typeof\" | \"vocab\" | \"autoCapitalize\" | \"autoCorrect\" | \"autoSave\" | \"itemProp\" | \"itemScope\" | \"itemType\" | \"itemID\" | \"itemRef\" | \"results\" | \"unselectable\" | \"inputMode\" | \"is\" | \"aria-activedescendant\" | \"aria-atomic\" | \"aria-autocomplete\" | \"aria-busy\" | \"aria-checked\" | \"aria-colcount\" | \"aria-colindex\" | \"aria-colspan\" | \"aria-controls\" | \"aria-current\" | \"aria-describedby\" | \"aria-details\" | \"aria-disabled\" | \"aria-dropeffect\" | \"aria-errormessage\" | \"aria-expanded\" | \"aria-flowto\" | \"aria-grabbed\" | \"aria-haspopup\" | \"aria-hidden\" | \"aria-invalid\" | \"aria-keyshortcuts\" | \"aria-label\" | \"aria-labelledby\" | \"aria-level\" | \"aria-live\" | \"aria-modal\" | \"aria-multiline\" | \"aria-multiselectable\" | \"aria-orientation\" | \"aria-owns\" | \"aria-placeholder\" | \"aria-posinset\" | \"aria-pressed\" | \"aria-readonly\" | \"aria-relevant\" | \"aria-required\" | \"aria-roledescription\" | \"aria-rowcount\" | \"aria-rowindex\" | \"aria-rowspan\" | \"aria-selected\" | \"aria-setsize\" | \"aria-sort\" | \"aria-valuemax\" | \"aria-valuemin\" | \"aria-valuenow\" | \"aria-valuetext\" | \"dangerouslySetInnerHTML\" | \"onCopy\" | \"onCopyCapture\" | \"onCut\" | \"onCutCapture\" | \"onPaste\" | \"onPasteCapture\" | \"onCompositionEnd\" | \"onCompositionEndCapture\" | \"onCompositionStart\" | \"onCompositionStartCapture\" | \"onCompositionUpdate\" | \"onCompositionUpdateCapture\" | \"onFocus\" | \"onFocusCapture\" | \"onBlur\" | \"onBlurCapture\" | \"onChangeCapture\" | \"onBeforeInput\" | \"onBeforeInputCapture\" | \"onInput\" | \"onInputCapture\" | \"onReset\" | \"onResetCapture\" | \"onSubmit\" | \"onSubmitCapture\" | \"onInvalid\" | \"onInvalidCapture\" | \"onLoad\" | \"onLoadCapture\" | \"onError\" | \"onErrorCapture\" | \"onKeyDownCapture\" | \"onKeyPress\" | \"onKeyPressCapture\" | \"onKeyUp\" | \"onKeyUpCapture\" | \"onAbort\" | \"onAbortCapture\" | \"onCanPlay\" | \"onCanPlayCapture\" | \"onCanPlayThrough\" | \"onCanPlayThroughCapture\" | \"onDurationChange\" | \"onDurationChangeCapture\" | \"onEmptied\" | \"onEmptiedCapture\" | \"onEncrypted\" | \"onEncryptedCapture\" | \"onEnded\" | \"onEndedCapture\" | \"onLoadedData\" | \"onLoadedDataCapture\" | \"onLoadedMetadata\" | \"onLoadedMetadataCapture\" | \"onLoadStart\" | \"onLoadStartCapture\" | \"onPause\" | \"onPauseCapture\" | \"onPlay\" | \"onPlayCapture\" | \"onPlaying\" | \"onPlayingCapture\" | \"onProgress\" | \"onProgressCapture\" | \"onRateChange\" | \"onRateChangeCapture\" | \"onSeeked\" | \"onSeekedCapture\" | \"onSeeking\" | \"onSeekingCapture\" | \"onStalled\" | \"onStalledCapture\" | \"onSuspend\" | \"onSuspendCapture\" | \"onTimeUpdate\" | \"onTimeUpdateCapture\" | \"onVolumeChange\" | \"onVolumeChangeCapture\" | \"onWaiting\" | \"onWaitingCapture\" | \"onAuxClick\" | \"onAuxClickCapture\" | \"onClickCapture\" | \"onContextMenu\" | \"onContextMenuCapture\" | \"onDoubleClick\" | \"onDoubleClickCapture\" | \"onDrag\" | \"onDragCapture\" | \"onDragEnd\" | \"onDragEndCapture\" | \"onDragEnter\" | \"onDragEnterCapture\" | \"onDragExit\" | \"onDragExitCapture\" | \"onDragLeave\" | \"onDragLeaveCapture\" | \"onDragOver\" | \"onDragOverCapture\" | \"onDragStart\" | \"onDragStartCapture\" | \"onDrop\" | \"onDropCapture\" | \"onMouseDown\" | \"onMouseDownCapture\" | \"onMouseEnter\" | \"onMouseLeave\" | \"onMouseMove\" | \"onMouseMoveCapture\" | \"onMouseOut\" | \"onMouseOutCapture\" | \"onMouseOver\" | \"onMouseOverCapture\" | \"onMouseUp\" | \"onMouseUpCapture\" | \"onSelect\" | \"onSelectCapture\" | \"onTouchCancel\" | \"onTouchCancelCapture\" | \"onTouchEnd\" | \"onTouchEndCapture\" | \"onTouchMove\" | \"onTouchMoveCapture\" | \"onTouchStart\" | \"onTouchStartCapture\" | \"onPointerDown\" | \"onPointerDownCapture\" | \"onPointerMove\" | \"onPointerMoveCapture\" | \"onPointerUp\" | \"onPointerUpCapture\" | \"onPointerCancel\" | \"onPointerCancelCapture\" | \"onPointerEnter\" | \"onPointerEnterCapture\" | \"onPointerLeave\" | \"onPointerLeaveCapture\" | \"onPointerOver\" | \"onPointerOverCapture\" | \"onPointerOut\" | \"onPointerOutCapture\" | \"onGotPointerCapture\" | \"onGotPointerCaptureCapture\" | \"onLostPointerCapture\" | \"onLostPointerCaptureCapture\" | \"onScroll\" | \"onScrollCapture\" | \"onWheel\" | \"onWheelCapture\" | \"onAnimationStart\" | \"onAnimationStartCapture\" | \"onAnimationEnd\" | \"onAnimationEndCapture\" | \"onAnimationIteration\" | \"onAnimationIterationCapture\" | \"onTransitionEnd\" | \"onTransitionEndCapture\" | \"data-test-subj\" | \"iconType\" | \"toastLifeTimeMs\" | \"onClose\"> & { title?: string | ", { "pluginId": "core", "scope": "public", @@ -25337,7 +26286,7 @@ "label": "RuntimeType", "description": [], "signature": [ - "\"boolean\" | \"date\" | \"geo_point\" | \"ip\" | \"keyword\" | \"long\" | \"double\"" + "\"boolean\" | \"keyword\" | \"ip\" | \"date\" | \"geo_point\" | \"long\" | \"double\"" ], "path": "src/plugins/data_views/common/types.ts", "deprecated": false, diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index bbce8c4dd49453..0c5cf43119410b 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 709 | 3 | 561 | 5 | +| 714 | 3 | 566 | 6 | ## Client diff --git a/api_docs/data_visualizer.json b/api_docs/data_visualizer.json index 9c226499aa7fc0..9512bf13df61a4 100644 --- a/api_docs/data_visualizer.json +++ b/api_docs/data_visualizer.json @@ -571,7 +571,7 @@ "label": "type", "description": [], "signature": [ - "\"number\" | \"boolean\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"unknown\" | \"histogram\" | \"keyword\" | \"text\"" + "\"number\" | \"boolean\" | \"keyword\" | \"ip\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"unknown\" | \"histogram\" | \"text\"" ], "path": "x-pack/plugins/data_visualizer/common/types/field_request_config.ts", "deprecated": false @@ -1050,7 +1050,7 @@ "label": "JobFieldType", "description": [], "signature": [ - "\"number\" | \"boolean\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"unknown\" | \"histogram\" | \"keyword\" | \"text\"" + "\"number\" | \"boolean\" | \"keyword\" | \"ip\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"unknown\" | \"histogram\" | \"text\"" ], "path": "x-pack/plugins/data_visualizer/common/types/job_field_type.ts", "deprecated": false, diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index 7d335368d4be86..960f1c9e4aef5f 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -16,7 +16,7 @@ Contact [Machine Learning UI](https://github.com/orgs/elastic/teams/ml-ui) for q **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 84 | 2 | 84 | 0 | diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index e4d2df978cc190..4bbd6250de528b 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -14,16 +14,15 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Referencing plugin(s) | Remove By | | ---------------|-----------|-----------| | | securitySolution | - | -| | home, savedObjects, security, fleet, discover, dashboard, lens, observability, maps, fileUpload, dataVisualizer, ml, infra, graph, monitoring, securitySolution, stackAlerts, transform, uptime, dataViewManagement, inputControlVis, kibanaOverview, savedObjectsManagement, visualize, visTypeTimelion, visTypeTimeseries, visTypeVega | - | -| | data, lens, visTypeTimeseries, infra, maps, securitySolution, timelines, visTypeTimelion | - | +| | savedObjects, home, security, fleet, discover, dashboard, lens, observability, maps, fileUpload, dataVisualizer, infra, graph, monitoring, securitySolution, stackAlerts, transform, uptime, dataViewManagement, inputControlVis, kibanaOverview, savedObjectsManagement, visualize, visTypeTimelion, visTypeTimeseries, visTypeVega | - | | | apm, security, securitySolution | - | | | apm, security, securitySolution | - | -| | reporting, encryptedSavedObjects, actions, ml, dataEnhanced, logstash, securitySolution | - | +| | encryptedSavedObjects, actions, ml, reporting, dataEnhanced, logstash, securitySolution | - | | | dashboard, lens, maps, ml, securitySolution, security, visualize | - | | | securitySolution | - | | | dataViews, visTypeTimeseries, maps, lens, discover, data | - | | | dataViews, discover, observability, savedObjects, security, dashboard, lens, maps, graph, stackAlerts, transform, dataViewManagement, inputControlVis, savedObjectsManagement, visTypeTimelion, data | - | -| | dataViews, visTypeTimeseries, reporting, discover, observability, maps, dataVisualizer, apm, lens, transform, savedObjects, dataViewFieldEditor, visualizations, dashboard, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega, data | - | +| | dataViews, upgradeAssistant, dashboard, visualizations, discover, visTypeTimeseries, observability, maps, dataVisualizer, apm, reporting, lens, transform, savedObjects, dataViewFieldEditor, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega, data | - | | | dataViews, discover, maps, dataVisualizer, lens, dataViewEditor, dataViewManagement, inputControlVis, visDefaultEditor, visTypeTimeseries, data | - | | | dataViews, monitoring, dataViewManagement, stackAlerts, transform | - | | | dataViews, discover, transform, canvas | - | @@ -34,7 +33,6 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | dataViews, discover, transform, canvas, data | - | | | dataViews, data | - | | | dataViews, data | - | -| | dataViews | - | | | dataViews, observability, dataViewEditor, data | - | | | dataViews, discover, observability, savedObjects, security, dashboard, lens, maps, graph, stackAlerts, transform, dataViewManagement, inputControlVis, savedObjectsManagement, visTypeTimelion, data | - | | | dataViews, dataViewManagement, data | - | @@ -43,28 +41,28 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | dataViews, data | - | | | dataViews, visTypeTimeseries, maps, lens, discover, data | - | | | dataViews, discover, dashboard, lens, visualize | - | -| | dataViews, visTypeTimeseries, reporting, discover, observability, maps, dataVisualizer, apm, lens, transform, savedObjects, dataViewFieldEditor, visualizations, dashboard, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega, data | - | +| | dataViews, upgradeAssistant, dashboard, visualizations, discover, visTypeTimeseries, observability, maps, dataVisualizer, apm, reporting, lens, transform, savedObjects, dataViewFieldEditor, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega, data | - | | | dataViews, maps | - | -| | dataViews | - | | | dataViewManagement, dataViews | - | | | visTypeTimeseries, graph, dataViewManagement, dataViews | - | | | dataViews, dataViewManagement | - | | | dataViews, discover, transform, canvas | - | | | dataViews, discover, maps, dataVisualizer, lens, dataViewEditor, dataViewManagement, inputControlVis, visDefaultEditor, visTypeTimeseries | - | -| | dataViews, visTypeTimeseries, reporting, discover, observability, maps, dataVisualizer, apm, lens, transform, savedObjects, dataViewFieldEditor, visualizations, dashboard, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega | - | +| | dataViews, upgradeAssistant, dashboard, visualizations, discover, visTypeTimeseries, observability, maps, dataVisualizer, apm, reporting, lens, transform, savedObjects, dataViewFieldEditor, graph, stackAlerts, uptime, dataViewEditor, dataViewManagement, inputControlVis, savedObjectsManagement, visualize, visDefaultEditor, visTypeVega | - | | | dataViews, visTypeTimeseries, maps, lens, discover | - | | | dataViews, maps | - | -| | dataViews | - | | | dataViewManagement, dataViews | - | | | visTypeTimeseries, graph, dataViewManagement, dataViews | - | | | dataViews, dataViewManagement | - | -| | fleet, dataViewFieldEditor, discover, dashboard, lens, ml, stackAlerts, dataViewManagement, visTypePie, visTypeTable, visTypeTimeseries, visTypeXy, visTypeVislib | - | +| | fleet, dataViewFieldEditor, discover, dashboard, lens, stackAlerts, dataViewManagement, visTypePie, visTypeTable, visTypeTimeseries, visTypeXy, visTypeVislib | - | | | reporting, visTypeTimeseries | - | | | visTypeTimeseries, graph, dataViewManagement | - | +| | data, lens, visTypeTimeseries, infra, maps, visTypeTimelion | - | | | maps | - | | | dashboard, maps, graph, visualize | - | -| | spaces, security, reporting, actions, alerting, ml, fleet, remoteClusters, graph, indexLifecycleManagement, maps, painlessLab, rollup, searchprofiler, snapshotRestore, transform, upgradeAssistant | - | +| | spaces, security, actions, alerting, ml, fleet, reporting, remoteClusters, graph, indexLifecycleManagement, maps, painlessLab, rollup, searchprofiler, snapshotRestore, transform, upgradeAssistant | - | | | discover, dashboard, lens, visualize | - | +| | savedObjectsTaggingOss, visualizations, dashboard, lens | - | | | lens, dashboard | - | | | discover | - | | | discover | - | @@ -78,17 +76,17 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | security, licenseManagement, ml, fleet, apm, reporting, crossClusterReplication, logstash, painlessLab, searchprofiler, watcher | - | | | management, fleet, security, kibanaOverview | - | | | dashboard | - | -| | savedObjectsTaggingOss, dashboard | - | | | dashboard | - | +| | screenshotting, dashboard | - | | | dataViewManagement | - | | | dataViewManagement | - | | | spaces, savedObjectsManagement | - | | | spaces, savedObjectsManagement | - | -| | reporting | - | -| | reporting | - | | | ml, infra, reporting, ingestPipelines, upgradeAssistant | - | | | ml, infra, reporting, ingestPipelines, upgradeAssistant | - | | | cloud, apm | - | +| | reporting | - | +| | reporting | - | | | visTypeVega | - | | | monitoring, visTypeVega | - | | | monitoring, kibanaUsageCollection | - | @@ -104,38 +102,37 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | canvas | - | | | canvas, visTypeXy | - | | | actions, ml, enterpriseSearch, savedObjectsTagging | - | -| | ml | - | | | actions | - | +| | screenshotting | - | +| | ml | - | | | console | - | -| | dataViews, fleet, infra, monitoring, stackAlerts, dataViewManagement | 8.1 | -| | dataViews, fleet, infra, monitoring, stackAlerts, dataViewManagement, data | 8.1 | -| | dataViews | 8.1 | -| | dataViews, fleet, infra, monitoring, stackAlerts, dataViewManagement | 8.1 | -| | dataViews | 8.1 | +| | dataViews, fleet, monitoring, stackAlerts, dataViewManagement | 8.1 | +| | dataViews, fleet, monitoring, stackAlerts, dataViewManagement, data | 8.1 | +| | dataViews, fleet, monitoring, stackAlerts, dataViewManagement | 8.1 | | | visTypeTimeseries | 8.1 | -| | discover, visualizations, dashboard, lens, observability, maps, infra, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, visualize, visTypeTimelion, visTypeVega, ml, visTypeTimeseries | 8.1 | -| | discover, visualizations, dashboard, lens, observability, maps, infra, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, visualize, visTypeTimelion, visTypeVega, ml, visTypeTimeseries | 8.1 | | | visTypeTimeseries | 8.1 | -| | discover, visualizations, dashboard, lens, observability, maps, infra, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, visualize, visTypeTimelion, visTypeVega, ml, visTypeTimeseries | 8.1 | | | visTypeTimeseries | 8.1 | | | discover, maps, inputControlVis | 8.1 | | | discover, visualizations, dashboard, lens, observability, maps, dashboardEnhanced, discoverEnhanced, visualize | 8.1 | +| | discover, dashboard, observability, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, maps | 8.1 | +| | discover, dashboard, observability, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, maps | 8.1 | | | discover, maps, inputControlVis | 8.1 | -| | lens, infra, apm, graph, monitoring, stackAlerts, transform | 8.1 | -| | lens, stackAlerts, transform, dataViewManagement, visTypeTimelion, visTypeVega | 8.1 | +| | discover, dashboard, observability, dashboardEnhanced, discoverEnhanced, urlDrilldown, inputControlVis, maps | 8.1 | | | observability | 8.1 | | | observability | 8.1 | | | observability | 8.1 | | | observability | 8.1 | +| | apm, graph, monitoring, stackAlerts | 8.1 | +| | stackAlerts, dataViewManagement | 8.1 | | | dataViewManagement | 8.1 | | | dataViewManagement | 8.1 | | | visTypeTimelion | 8.1 | | | visTypeTimelion | 8.1 | +| | visualizations, visDefaultEditor | 8.1 | +| | visualizations, visDefaultEditor | 8.1 | | | dataViewFieldEditor | 8.1 | | | dataViewFieldEditor | 8.1 | | | dataViewFieldEditor | 8.1 | -| | visualizations, visDefaultEditor | 8.1 | -| | visualizations, visDefaultEditor | 8.1 | | | visualize | 8.1 | | | dashboardEnhanced | 8.1 | | | dashboardEnhanced | 8.1 | @@ -151,89 +148,83 @@ warning: This document is auto-generated and is meant to be viewed inside our ex Safe to remove. -| Deprecated API | -| ---------------| -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | -| | \ No newline at end of file +| Deprecated API | Plugin Id | +| ---------------|------------| +| | dashboard | +| | dashboard | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | data | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | expressions | +| | screenshotMode | +| | screenshotMode | +| | screenshotMode | +| | licensing | +| | licensing | +| | licensing | +| | licensing | +| | core | +| | core | +| | core | +| | core | +| | core | +| | core | +| | core | \ No newline at end of file diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index c02a51628d6530..cca7000acdf11d 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -66,12 +66,12 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [es_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/lib/es_service.ts#:~:text=IndexPatternAttributes), [es_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/lib/es_service.ts#:~:text=IndexPatternAttributes), [es_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/lib/es_service.ts#:~:text=IndexPatternAttributes) | - | | | [embeddable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/external/embeddable.ts#:~:text=context), [filters.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/functions/filters.ts#:~:text=context), [escount.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/escount.ts#:~:text=context), [esdocs.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/esdocs.ts#:~:text=context), [essql.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/essql.ts#:~:text=context), [neq.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/neq.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/pointseries/index.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/demodata/index.ts#:~:text=context) | - | | | [setup_expressions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/setup_expressions.ts#:~:text=getFunction) | - | -| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.test.ts#:~:text=getFunctions) | - | +| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.test.ts#:~:text=getFunctions) | - | | | [setup_expressions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/setup_expressions.ts#:~:text=getTypes), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getTypes), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getTypes) | - | -| | [state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/types/state.ts#:~:text=Render), [state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/types/state.ts#:~:text=Render), [state.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/types/state.d.ts#:~:text=Render), [state.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/types/state.d.ts#:~:text=Render), [markdown.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/markdown.ts#:~:text=Render), [markdown.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/markdown.ts#:~:text=Render), [timefilterControl.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/timefilterControl.ts#:~:text=Render), [timefilterControl.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/timefilterControl.ts#:~:text=Render), [pie.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/functions/pie.ts#:~:text=Render), [pie.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/functions/pie.ts#:~:text=Render)+ 6 more | - | +| | [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/public/functions/index.d.ts#:~:text=Render), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/public/functions/index.d.ts#:~:text=Render), [state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/types/state.ts#:~:text=Render), [state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/types/state.ts#:~:text=Render), [state.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/types/state.d.ts#:~:text=Render), [state.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/target/types/types/state.d.ts#:~:text=Render), [markdown.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/markdown.ts#:~:text=Render), [markdown.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/markdown.ts#:~:text=Render), [timefilterControl.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/timefilterControl.ts#:~:text=Render), [timefilterControl.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/timefilterControl.ts#:~:text=Render)+ 8 more | - | | | [embeddable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/external/embeddable.ts#:~:text=context), [filters.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/functions/filters.ts#:~:text=context), [escount.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/escount.ts#:~:text=context), [esdocs.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/esdocs.ts#:~:text=context), [essql.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/essql.ts#:~:text=context), [neq.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/neq.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/pointseries/index.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/demodata/index.ts#:~:text=context) | - | | | [setup_expressions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/setup_expressions.ts#:~:text=getFunction) | - | -| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.test.ts#:~:text=getFunctions) | - | +| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.test.ts#:~:text=getFunctions) | - | | | [setup_expressions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/setup_expressions.ts#:~:text=getTypes), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/application.tsx#:~:text=getTypes), [functions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getTypes) | - | | | [embeddable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/external/embeddable.ts#:~:text=context), [filters.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/public/functions/filters.ts#:~:text=context), [escount.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/escount.ts#:~:text=context), [esdocs.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/esdocs.ts#:~:text=context), [essql.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/essql.ts#:~:text=context), [neq.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/common/neq.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/pointseries/index.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/canvas/canvas_plugin_src/functions/server/demodata/index.ts#:~:text=context) | - | @@ -106,7 +106,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| | | [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [make_default_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/test_helpers/make_default_services.ts#:~:text=IndexPatternsContract), [make_default_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/test_helpers/make_default_services.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract)+ 2 more | - | -| | [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern)+ 6 more | - | +| | [load_saved_dashboard_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts#:~:text=IndexPattern), [use_dashboard_app_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern)+ 10 more | - | | | [dashboard_router.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/dashboard_router.tsx#:~:text=indexPatterns), [dashboard_router.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/dashboard_router.tsx#:~:text=indexPatterns) | - | | | [export_csv_action.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/actions/export_csv_action.tsx#:~:text=fieldFormats) | - | | | [save_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/save_dashboard.ts#:~:text=esFilters), [save_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/save_dashboard.ts#:~:text=esFilters), [diff_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/diff_dashboard_state.ts#:~:text=esFilters), [diff_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/diff_dashboard_state.ts#:~:text=esFilters), [diff_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/diff_dashboard_state.ts#:~:text=esFilters), [diff_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/diff_dashboard_state.ts#:~:text=esFilters), [sync_dashboard_container_input.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_container_input.ts#:~:text=esFilters), [sync_dashboard_container_input.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_container_input.ts#:~:text=esFilters), [sync_dashboard_container_input.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_container_input.ts#:~:text=esFilters), [plugin.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/plugin.tsx#:~:text=esFilters)+ 15 more | 8.1 | @@ -114,9 +114,9 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [make_default_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/test_helpers/make_default_services.ts#:~:text=IndexPatternsContract), [make_default_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/test_helpers/make_default_services.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPatternsContract)+ 2 more | - | | | [replace_index_pattern_reference.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/replace_index_pattern_reference.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [replace_index_pattern_reference.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/replace_index_pattern_reference.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [replace_index_pattern_reference.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/replace_index_pattern_reference.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [replace_index_pattern_reference.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/replace_index_pattern_reference.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [dashboard_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/dashboard_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE) | - | | | [load_saved_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/load_saved_dashboard_state.ts#:~:text=ensureDefaultDataView), [load_saved_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/load_saved_dashboard_state.ts#:~:text=ensureDefaultDataView) | - | -| | [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern)+ 6 more | - | +| | [load_saved_dashboard_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts#:~:text=IndexPattern), [use_dashboard_app_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern)+ 10 more | - | | | [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=Filter), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter)+ 25 more | 8.1 | -| | [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern) | - | +| | [load_saved_dashboard_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/lib/load_saved_dashboard_state.d.ts#:~:text=IndexPattern), [use_dashboard_app_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/application/hooks/use_dashboard_app_state.d.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [sync_dashboard_index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/sync_dashboard_index_patterns.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=IndexPattern) | - | | | [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [filter_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/filter_utils.ts#:~:text=Filter), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=Filter), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter), [dashboard_state_slice.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/state/dashboard_state_slice.ts#:~:text=Filter)+ 25 more | 8.1 | | | [load_saved_dashboard_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/load_saved_dashboard_state.ts#:~:text=ensureDefaultDataView) | - | | | [saved_objects.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/services/saved_objects.ts#:~:text=SavedObjectSaveModal), [save_modal.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/top_nav/save_modal.tsx#:~:text=SavedObjectSaveModal), [save_modal.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/top_nav/save_modal.tsx#:~:text=SavedObjectSaveModal) | - | @@ -124,6 +124,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [saved_objects.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/services/saved_objects.ts#:~:text=SavedObject), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=SavedObject), [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=SavedObject), [dashboard_tagging.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/dashboard_tagging.ts#:~:text=SavedObject), [dashboard_tagging.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/lib/dashboard_tagging.ts#:~:text=SavedObject), [clone_panel_action.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/actions/clone_panel_action.tsx#:~:text=SavedObject), [clone_panel_action.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/actions/clone_panel_action.tsx#:~:text=SavedObject), [clone_panel_action.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/actions/clone_panel_action.tsx#:~:text=SavedObject) | - | | | [saved_dashboard.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/saved_dashboards/saved_dashboard.ts#:~:text=SavedObjectClass) | - | | | [dashboard_listing.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/listing/dashboard_listing.tsx#:~:text=settings), [dashboard_listing.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/listing/dashboard_listing.tsx#:~:text=settings) | - | +| | [screenshot_mode.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/services/screenshot_mode.ts#:~:text=Layout) | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/types.ts#:~:text=onAppLeave), [dashboard_router.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/application/dashboard_router.tsx#:~:text=onAppLeave), [plugin.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/public/plugin.tsx#:~:text=onAppLeave), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/target/types/public/types.d.ts#:~:text=onAppLeave) | - | | | [migrations_730.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/migrations_730.ts#:~:text=warning), [migrations_730.ts](https://github.com/elastic/kibana/tree/master/src/plugins/dashboard/server/saved_objects/migrations_730.ts#:~:text=warning) | - | @@ -146,14 +147,14 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternField), [agg_config.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/agg_config.test.ts#:~:text=IndexPatternField), [agg_config.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/agg_config.test.ts#:~:text=IndexPatternField), [_terms_other_bucket_helper.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts#:~:text=IndexPatternField)+ 11 more | - | +| | [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField)+ 14 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternsContract), [create_search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.ts#:~:text=IndexPatternsContract), [create_search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.ts#:~:text=IndexPatternsContract), [search_source_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source_service.ts#:~:text=IndexPatternsContract), [search_source_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source_service.ts#:~:text=IndexPatternsContract), [esaggs_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts#:~:text=IndexPatternsContract), [esaggs_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/search/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/search/types.ts#:~:text=IndexPatternsContract), [create_search_source.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.test.ts#:~:text=IndexPatternsContract)+ 29 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/index.ts#:~:text=IndexPatternsService) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern)+ 88 more | - | +| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern)+ 92 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [query_suggestion_provider.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/autocomplete/providers/query_suggestion_provider.ts#:~:text=IFieldType), [query_suggestion_provider.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/autocomplete/providers/query_suggestion_provider.ts#:~:text=IFieldType)+ 36 more | 8.1 | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternField), [agg_config.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/agg_config.test.ts#:~:text=IndexPatternField), [agg_config.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/agg_config.test.ts#:~:text=IndexPatternField), [_terms_other_bucket_helper.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/buckets/_terms_other_bucket_helper.test.ts#:~:text=IndexPatternField)+ 11 more | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IIndexPattern), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IIndexPattern), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IIndexPattern), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IIndexPattern), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IIndexPattern)+ 64 more | - | +| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IFieldType), [date_histogram.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/buckets/date_histogram.ts#:~:text=IFieldType), [date_histogram.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/buckets/date_histogram.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [filter_editor_utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/ui/filter_bar/filter_editor/lib/filter_editor_utils.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType), [generate_filters.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/query/filter_manager/lib/generate_filters.ts#:~:text=IFieldType)+ 36 more | 8.1 | +| | [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/aggs/param_types/field.ts#:~:text=IndexPatternField), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [kibana_context_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/kibana_context_type.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPatternField)+ 14 more | - | +| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [get_time.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/query/timefilter/get_time.ts#:~:text=IIndexPattern), [normalize_sort_request.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/normalize_sort_request.ts#:~:text=IIndexPattern), [normalize_sort_request.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/normalize_sort_request.ts#:~:text=IIndexPattern), [normalize_sort_request.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/normalize_sort_request.ts#:~:text=IIndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IIndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IIndexPattern)+ 64 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternAttributes), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/index.ts#:~:text=IndexPatternAttributes), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternAttributes) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IIndexPatternsApiClient) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternFieldMap) | - | @@ -162,7 +163,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternsContract), [create_search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.ts#:~:text=IndexPatternsContract), [create_search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.ts#:~:text=IndexPatternsContract), [search_source_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source_service.ts#:~:text=IndexPatternsContract), [search_source_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source_service.ts#:~:text=IndexPatternsContract), [esaggs_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts#:~:text=IndexPatternsContract), [esaggs_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/expressions/esaggs/esaggs_fn.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/search/types.ts#:~:text=IndexPatternsContract), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/search/types.ts#:~:text=IndexPatternsContract), [create_search_source.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/create_search_source.test.ts#:~:text=IndexPatternsContract)+ 29 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/index.ts#:~:text=IndexPatternsService) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPatternListItem), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/index.ts#:~:text=IndexPatternListItem) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern)+ 88 more | - | +| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/index.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/types.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [search_source.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/search_source/search_source.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern), [tabify_docs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/common/search/tabify/tabify_docs.ts#:~:text=IndexPattern)+ 92 more | - | | | [aggs_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/search/aggs/aggs_service.ts#:~:text=indexPatternsServiceFactory), [esaggs.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/search/expressions/esaggs.ts#:~:text=indexPatternsServiceFactory), [search_service.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data/server/search/search_service.ts#:~:text=indexPatternsServiceFactory) | - | | | [data_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/utils/table_inspector_view/components/data_table.tsx#:~:text=executeTriggerActions), [data_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data/public/utils/table_inspector_view/components/data_table.tsx#:~:text=executeTriggerActions) | - | @@ -201,7 +202,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | ---------------|-----------|-----------| | | [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern) | - | | | [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=castEsToKbnFieldTypeName), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=castEsToKbnFieldTypeName) | 8.1 | -| | [field_editor_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_editor_context.tsx#:~:text=fieldFormats), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=fieldFormats), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=fieldFormats), [field_editor_flyout_content_container.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_editor_flyout_content_container.tsx#:~:text=fieldFormats), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=fieldFormats), [setup_environment.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/__jest__/client_integration/helpers/setup_environment.tsx#:~:text=fieldFormats) | - | +| | [field_editor_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_editor_context.tsx#:~:text=fieldFormats), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=fieldFormats), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=fieldFormats), [field_editor_flyout_content_container.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_editor_flyout_content_container.tsx#:~:text=fieldFormats), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=fieldFormats) | - | | | [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern) | - | | | [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=castEsToKbnFieldTypeName), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=castEsToKbnFieldTypeName) | 8.1 | | | [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/public/components/field_format_editor/field_format_editor.tsx#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern), [field_format_editor.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_view_field_editor/target/types/public/components/field_format_editor/field_format_editor.d.ts#:~:text=IndexPattern) | - | @@ -264,7 +265,6 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [scripted_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/deprecations/scripted_fields.ts#:~:text=IndexPatternAttributes), [scripted_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/deprecations/scripted_fields.ts#:~:text=IndexPatternAttributes) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IIndexPatternsApiClient), [index_patterns_api_client.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/index_patterns_api_client.ts#:~:text=IIndexPatternsApiClient), [index_patterns_api_client.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/index_patterns_api_client.ts#:~:text=IIndexPatternsApiClient) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternFieldMap) | - | -| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=intervalName) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternSpec), [create_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/create_index_pattern.ts#:~:text=IndexPatternSpec), [create_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/create_index_pattern.ts#:~:text=IndexPatternSpec) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPatternsContract) | - | | | [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=IndexPatternListItem), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternListItem) | - | @@ -274,23 +274,19 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPatternsService) | - | | | [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=ensureDefaultDataView) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPattern), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPattern), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern) | - | -| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [update_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/update_index_pattern.ts#:~:text=intervalName), [update_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/update_index_pattern.ts#:~:text=intervalName) | 8.1 | | | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=flattenHit) | - | -| | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField) | - | | | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=removeScriptedField) | - | | | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getNonScriptedFields) | - | -| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=getScriptedFields), [register_index_pattern_usage_collection.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/register_index_pattern_usage_collection.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields)+ 1 more | - | +| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=getScriptedFields), [register_index_pattern_usage_collection.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/register_index_pattern_usage_collection.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields) | - | | | [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/utils.ts#:~:text=IFieldType), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/utils.ts#:~:text=IFieldType), [data_view_field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.ts#:~:text=IFieldType), [data_view_field.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.ts#:~:text=IFieldType), [field_list.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/field_list.ts#:~:text=IFieldType), [field_list.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/field_list.ts#:~:text=IFieldType), [field_list.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/field_list.ts#:~:text=IFieldType), [field_list.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/field_list.ts#:~:text=IFieldType), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/types.ts#:~:text=IFieldType), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/types.ts#:~:text=IFieldType)+ 13 more | 8.1 | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/utils.ts#:~:text=IndexPatternAttributes), [scripted_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/deprecations/scripted_fields.ts#:~:text=IndexPatternAttributes), [scripted_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/deprecations/scripted_fields.ts#:~:text=IndexPatternAttributes) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternField), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPatternField), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPatternField), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPatternField)+ 2 more | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPattern), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPattern), [data_view_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/fields/data_view_field.test.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=IndexPattern) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/index.ts#:~:text=IndexPatternsService), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/public/index.ts#:~:text=IndexPatternsService) | - | -| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=intervalName), [update_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/update_index_pattern.ts#:~:text=intervalName), [update_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/routes/update_index_pattern.ts#:~:text=intervalName) | 8.1 | | | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=flattenHit) | - | -| | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=addScriptedField) | - | | | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=removeScriptedField) | - | | | [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getNonScriptedFields) | - | -| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=getScriptedFields), [register_index_pattern_usage_collection.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/register_index_pattern_usage_collection.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields)+ 1 more | - | +| | [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_view.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.ts#:~:text=getScriptedFields), [data_views.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_views.ts#:~:text=getScriptedFields), [register_index_pattern_usage_collection.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/server/register_index_pattern_usage_collection.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields), [data_view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/data_views/common/data_views/data_view.test.ts#:~:text=getScriptedFields) | - | @@ -298,13 +294,13 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern)+ 54 more | - | +| | [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [actions_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx#:~:text=IndexPattern)+ 54 more | - | | | [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField)+ 20 more | - | | | [file_data_visualizer.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/file_data_visualizer/file_data_visualizer.tsx#:~:text=indexPatterns), [index_data_visualizer.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/index_data_visualizer.tsx#:~:text=indexPatterns) | - | | | [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField)+ 20 more | - | -| | [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern)+ 54 more | - | +| | [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [actions_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx#:~:text=IndexPattern)+ 54 more | - | | | [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_data_row.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/stats_table/types/field_data_row.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [field_types_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/util/field_types_utils.ts#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField), [grid_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/embeddables/grid_embeddable/grid_embeddable.tsx#:~:text=IndexPatternField)+ 5 more | - | -| | [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [lens_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/lens_utils.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [actions.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/field_data_row/action_menu/actions.ts#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern)+ 22 more | - | +| | [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [geo_point_content_with_map.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/geo_point_content_with_map/geo_point_content_with_map.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [index_based_expanded_row.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/common/components/expanded_row/index_based_expanded_row.tsx#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [saved_search_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/utils/saved_search_utils.ts#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [search_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/search_panel/search_panel.tsx#:~:text=IndexPattern), [actions_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/data_visualizer/public/application/index_data_visualizer/components/actions_panel/actions_panel.tsx#:~:text=IndexPattern)+ 22 more | - | @@ -314,29 +310,29 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | ---------------|-----------|-----------| | | [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService)+ 6 more | - | | | [use_data_grid_columns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_data_grid_columns.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_data_grid_columns.ts#:~:text=IndexPatternsContract), [use_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_index_pattern.tsx#:~:text=IndexPatternsContract), [use_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_index_pattern.tsx#:~:text=IndexPatternsContract), [resolve_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts#:~:text=IndexPatternsContract)+ 26 more | - | -| | [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 382 more | - | -| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 198 more | - | +| | [use_discover_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 380 more | - | +| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 202 more | - | | | [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes)+ 3 more | - | | | [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=create), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=create) | - | | | [anchor.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/services/anchor.ts#:~:text=fetch), [fetch_hits_in_interval.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/utils/fetch_hits_in_interval.ts#:~:text=fetch) | 8.1 | | | [build_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/build_services.ts#:~:text=indexPatterns), [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=indexPatterns), [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=indexPatterns), [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=indexPatterns), [plugin.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/plugin.tsx#:~:text=indexPatterns) | - | | | [histogram.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/chart/histogram.tsx#:~:text=fieldFormats) | - | -| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [get_context_url.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/get_context_url.tsx#:~:text=esFilters), [get_context_url.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/get_context_url.tsx#:~:text=esFilters), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=esFilters), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=esFilters)+ 17 more | 8.1 | -| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 22 more | 8.1 | +| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=esFilters), [use_navigation_props.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_navigation_props.tsx#:~:text=esFilters), [use_navigation_props.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_navigation_props.tsx#:~:text=esFilters), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=esFilters), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=esFilters)+ 17 more | 8.1 | +| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 24 more | 8.1 | | | [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes)+ 16 more | - | | | [use_data_grid_columns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_data_grid_columns.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_data_grid_columns.ts#:~:text=IndexPatternsContract), [use_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_index_pattern.tsx#:~:text=IndexPatternsContract), [use_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/use_index_pattern.tsx#:~:text=IndexPatternsContract), [resolve_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/utils/resolve_index_pattern.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts#:~:text=IndexPatternsContract), [use_data_grid_columns.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/utils/use_data_grid_columns.d.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts#:~:text=IndexPatternsContract), [resolve_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/resolve_index_pattern.d.ts#:~:text=IndexPatternsContract)+ 26 more | - | -| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 198 more | - | +| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 202 more | - | | | [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService)+ 6 more | - | | | [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=ensureDefaultDataView), [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=ensureDefaultDataView) | - | -| | [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 382 more | - | -| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 22 more | 8.1 | +| | [use_discover_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 380 more | - | +| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 24 more | 8.1 | | | [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=create), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=create) | - | | | [anchor.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/services/anchor.ts#:~:text=fetch), [fetch_hits_in_interval.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/utils/fetch_hits_in_interval.ts#:~:text=fetch) | 8.1 | | | [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_index_pattern.tsx#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_index_pattern.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/components/sidebar/discover_index_pattern.d.ts#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [discover_sidebar_responsive.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/sidebar/discover_sidebar_responsive.tsx#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/layout/types.ts#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes), [discover_main_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_app.tsx#:~:text=IndexPatternAttributes)+ 3 more | - | -| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 94 more | - | -| | [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 186 more | - | +| | [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [discover_grid_cell_actions.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_cell_actions.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [doc_table_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/doc_table_wrapper.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [field_stats_table.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/field_stats_table/field_stats_table.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=IndexPatternField), [context_app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/context/context_app.tsx#:~:text=IndexPatternField)+ 96 more | - | +| | [use_discover_state.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/application/main/utils/use_discover_state.d.ts#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [helpers.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/doc_table/components/table_header/helpers.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_flyout.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_flyout.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [discover_grid_context.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_context.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [get_render_cell_value.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/get_render_cell_value.tsx#:~:text=IndexPattern), [discover_grid_columns.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/components/discover_grid/discover_grid_columns.tsx#:~:text=IndexPattern)+ 185 more | - | | | [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [popularize_field.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/utils/popularize_field.test.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService), [index_patterns.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/__mocks__/index_patterns.ts#:~:text=IndexPatternsService)+ 6 more | - | -| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 22 more | 8.1 | +| | [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [url_generator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/url_generator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/locator.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/types.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter), [discover_state.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/services/discover_state.ts#:~:text=Filter)+ 24 more | 8.1 | | | [discover_main_route.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/discover_main_route.tsx#:~:text=ensureDefaultDataView) | - | | | [on_save_search.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/top_nav/on_save_search.tsx#:~:text=SavedObjectSaveModal), [on_save_search.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/application/main/components/top_nav/on_save_search.tsx#:~:text=SavedObjectSaveModal) | - | | | [saved_search_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/saved_search_embeddable.tsx#:~:text=executeTriggerActions), [search_embeddable_factory.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/embeddable/search_embeddable_factory.ts#:~:text=executeTriggerActions), [plugin.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/discover/public/plugin.tsx#:~:text=executeTriggerActions), [search_embeddable_factory.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/discover/target/types/public/embeddable/search_embeddable_factory.d.ts#:~:text=executeTriggerActions) | - | @@ -411,14 +407,14 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract) | - | -| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern)+ 44 more | - | +| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract) | - | +| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern)+ 48 more | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/plugin.ts#:~:text=indexPatterns) | - | | | [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=esKuery), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=esKuery), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=esKuery) | 8.1 | -| | [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract), [application.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.ts#:~:text=IndexPatternsContract) | - | -| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern)+ 44 more | - | +| | [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract), [application.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/application.tsx#:~:text=IndexPatternsContract) | - | +| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern)+ 48 more | - | | | [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=getNonScriptedFields), [datasource.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=getNonScriptedFields), [datasource.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields) | - | -| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern), [search_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/search_bar.tsx#:~:text=IndexPattern)+ 17 more | - | +| | [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [app_state.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/types/app_state.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [datasource.sagas.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.sagas.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern), [persistence.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/persistence.ts#:~:text=IndexPattern)+ 19 more | - | | | [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=getNonScriptedFields), [datasource.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields) | - | | | [deserialize.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.ts#:~:text=getNonScriptedFields), [datasource.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/state_management/datasource.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields), [deserialize.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/services/persistence/deserialize.test.ts#:~:text=getNonScriptedFields) | - | | | [save_modal.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/save_modal.tsx#:~:text=SavedObjectSaveModal), [save_modal.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/graph/public/components/save_modal.tsx#:~:text=SavedObjectSaveModal) | - | @@ -447,14 +443,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType)+ 46 more | 8.1 | -| | [editor.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx#:~:text=indexPatterns), [log_stream.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream.tsx#:~:text=indexPatterns), [log_stream.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream.tsx#:~:text=indexPatterns), [logs_overview_fetchers.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/logs_overview_fetchers.ts#:~:text=indexPatterns), [redirect_to_node_logs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/link_to/redirect_to_node_logs.tsx#:~:text=indexPatterns), [use_kibana_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/hooks/use_kibana_index_patterns.ts#:~:text=indexPatterns), [page_providers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/page_providers.tsx#:~:text=indexPatterns), [logs_overview_fetches.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/logs_overview_fetches.test.ts#:~:text=indexPatterns) | - | -| | [kuery_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx#:~:text=esKuery), [kuery_bar.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx#:~:text=esKuery), [kuery.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/kuery.ts#:~:text=esKuery), [kuery.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/kuery.ts#:~:text=esKuery), [kuery.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/kuery.ts#:~:text=esKuery), [use_waffle_filters.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts#:~:text=esKuery), [use_waffle_filters.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts#:~:text=esKuery) | 8.1 | -| | [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter) | 8.1 | -| | [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType)+ 102 more | 8.1 | -| | [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter) | 8.1 | -| | [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [custom_metric_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [custom_field_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [waffle_group_by_controls.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType), [metric.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/inventory/components/metric.tsx#:~:text=IFieldType)+ 46 more | 8.1 | -| | [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [log_stream_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream_embeddable.tsx#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter), [use_dataset_filtering.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts#:~:text=Filter) | 8.1 | +| | [log_stream.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream.tsx#:~:text=indexPatterns), [log_stream.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/log_stream/log_stream.tsx#:~:text=indexPatterns), [logs_overview_fetchers.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/logs_overview_fetchers.ts#:~:text=indexPatterns), [editor.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx#:~:text=indexPatterns), [redirect_to_node_logs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/link_to/redirect_to_node_logs.tsx#:~:text=indexPatterns), [use_kibana_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/hooks/use_kibana_index_patterns.ts#:~:text=indexPatterns), [page_providers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/pages/logs/page_providers.tsx#:~:text=indexPatterns), [logs_overview_fetches.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/utils/logs_overview_fetches.test.ts#:~:text=indexPatterns) | - | | | [kibana_framework_adapter.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts#:~:text=indexPatternsServiceFactory), [log_entries_search_strategy.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/server/services/log_entries/log_entries_search_strategy.ts#:~:text=indexPatternsServiceFactory), [log_entry_search_strategy.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/server/services/log_entries/log_entry_search_strategy.ts#:~:text=indexPatternsServiceFactory) | - | | | [module_list_card.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx#:~:text=getUrl) | - | | | [module_list_card.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx#:~:text=getUrl) | - | @@ -519,21 +508,17 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=indexPatterns), [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=indexPatterns), [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=indexPatterns), [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=indexPatterns), [indexpattern.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/indexpattern.tsx#:~:text=indexPatterns), [lens_top_nav.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/lens_top_nav.tsx#:~:text=indexPatterns), [lens_top_nav.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/lens_top_nav.tsx#:~:text=indexPatterns), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/plugin.ts#:~:text=indexPatterns), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/plugin.ts#:~:text=indexPatterns) | - | | | [ranges.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/ranges/ranges.tsx#:~:text=fieldFormats), [droppable.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/dimension_panel/droppable/droppable.test.ts#:~:text=fieldFormats) | - | | | [save_modal_container.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/save_modal_container.tsx#:~:text=esFilters), [save_modal_container.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/save_modal_container.tsx#:~:text=esFilters), [data_plugin_mock.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/mocks/data_plugin_mock.ts#:~:text=esFilters), [data_plugin_mock.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/mocks/data_plugin_mock.ts#:~:text=esFilters) | 8.1 | -| | [validation.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts#:~:text=esKuery), [validation.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts#:~:text=esKuery), [validation.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts#:~:text=esKuery) | 8.1 | -| | [validation.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts#:~:text=esQuery), [validation.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/formula/validation.ts#:~:text=esQuery), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx#:~:text=esQuery), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx#:~:text=esQuery), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/operations/definitions/terms/index.tsx#:~:text=esQuery), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=esQuery), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=esQuery), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=esQuery), [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=esQuery), [datapanel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/datapanel.tsx#:~:text=esQuery)+ 1 more | 8.1 | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter)+ 16 more | 8.1 | | | [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=IndexPatternsContract), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=IndexPatternsContract), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/utils.ts#:~:text=IndexPatternsContract), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/utils.ts#:~:text=IndexPatternsContract), [loader.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.ts#:~:text=IndexPatternsContract), [loader.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.ts#:~:text=IndexPatternsContract), [embeddable_factory.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable_factory.ts#:~:text=IndexPatternsContract), [embeddable_factory.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable_factory.ts#:~:text=IndexPatternsContract), [loader.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts#:~:text=IndexPatternsContract), [loader.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.test.ts#:~:text=IndexPatternsContract)+ 22 more | - | | | [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField)+ 8 more | - | | | [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/plugin.ts#:~:text=ensureDefaultDataView), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/plugin.ts#:~:text=ensureDefaultDataView) | - | | | [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPattern), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/existing_fields.d.ts#:~:text=IndexPattern), [existing_fields.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/existing_fields.d.ts#:~:text=IndexPattern), [loader.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.ts#:~:text=IndexPattern), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=IndexPattern)+ 36 more | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter)+ 16 more | 8.1 | | | [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField), [field_stats.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/field_stats.d.ts#:~:text=IndexPatternField) | - | | | [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPattern), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.test.ts#:~:text=IndexPattern), [existing_fields.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/existing_fields.d.ts#:~:text=IndexPattern), [existing_fields.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/server/routes/existing_fields.d.ts#:~:text=IndexPattern), [loader.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/loader.ts#:~:text=IndexPattern), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=IndexPattern)+ 13 more | - | | | [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService), [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=IndexPatternsService) | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/types.ts#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/embeddable/embeddable.tsx#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/state_management/types.ts#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter), [field_item.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/indexpattern_datasource/field_item.tsx#:~:text=Filter)+ 16 more | 8.1 | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/plugin.ts#:~:text=ensureDefaultDataView) | - | | | [existing_fields.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/existing_fields.ts#:~:text=indexPatternsServiceFactory), [field_stats.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/routes/field_stats.ts#:~:text=indexPatternsServiceFactory) | - | +| | [display_duplicate_title_confirm_modal.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/persistence/saved_objects_utils/display_duplicate_title_confirm_modal.ts#:~:text=SavedObject), [display_duplicate_title_confirm_modal.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/persistence/saved_objects_utils/display_duplicate_title_confirm_modal.ts#:~:text=SavedObject), [check_for_duplicate_title.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/persistence/saved_objects_utils/check_for_duplicate_title.ts#:~:text=SavedObject), [check_for_duplicate_title.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/persistence/saved_objects_utils/check_for_duplicate_title.ts#:~:text=SavedObject), [check_for_duplicate_title.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/public/persistence/saved_objects_utils/check_for_duplicate_title.d.ts#:~:text=SavedObject), [check_for_duplicate_title.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/public/persistence/saved_objects_utils/check_for_duplicate_title.d.ts#:~:text=SavedObject), [display_duplicate_title_confirm_modal.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/public/persistence/saved_objects_utils/display_duplicate_title_confirm_modal.d.ts#:~:text=SavedObject), [display_duplicate_title_confirm_modal.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/target/types/public/persistence/saved_objects_utils/display_duplicate_title_confirm_modal.d.ts#:~:text=SavedObject) | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/types.ts#:~:text=onAppLeave), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/types.ts#:~:text=onAppLeave), [mounter.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/public/app_plugin/mounter.tsx#:~:text=onAppLeave) | - | | | [saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/migrations/saved_object_migrations.ts#:~:text=warning), [saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/lens/server/migrations/saved_object_migrations.ts#:~:text=warning) | - | @@ -568,28 +553,28 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | +| | [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | | | [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract) | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern)+ 206 more | - | -| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField)+ 272 more | - | +| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField)+ 268 more | - | | | [es_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts#:~:text=fetch), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=fetch), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=fetch) | 8.1 | | | [kibana_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/kibana_services.ts#:~:text=indexPatterns) | - | | | [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=esFilters), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=esFilters), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=esFilters), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=esFilters), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=esFilters), [es_geo_line_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx#:~:text=esFilters), [es_geo_line_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx#:~:text=esFilters), [es_geo_line_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_line_source/es_geo_line_source.tsx#:~:text=esFilters), [app_sync.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/url_state/app_sync.ts#:~:text=esFilters), [app_sync.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/url_state/app_sync.ts#:~:text=esFilters)+ 9 more | 8.1 | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter)+ 117 more | 8.1 | +| | [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter)+ 21 more | 8.1 | | | [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/lazy_load_bundle/index.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract), [index.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/lazy_load_bundle/index.d.ts#:~:text=IndexPatternsContract) | - | -| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField)+ 272 more | - | -| | [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | +| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField)+ 268 more | - | +| | [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern)+ 206 more | - | | | [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit) | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter)+ 117 more | 8.1 | +| | [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter)+ 21 more | 8.1 | | | [es_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_source/es_source.ts#:~:text=fetch), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=fetch), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=fetch) | 8.1 | -| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField), [es_doc_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/es_doc_field.ts#:~:text=IndexPatternField)+ 131 more | - | +| | [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [es_agg_utils.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/common/elasticsearch_util/es_agg_utils.d.ts#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField), [single_field_select.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/components/single_field_select.tsx#:~:text=IndexPatternField)+ 129 more | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [es_agg_utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/es_agg_utils.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [agg_field_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/agg_field_types.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [percentile_agg_field.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/fields/agg/percentile_agg_field.ts#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern), [es_geo_grid_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_geo_grid_source/es_geo_grid_source.tsx#:~:text=IndexPattern)+ 98 more | - | -| | [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | +| | [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService), [create_doc_source.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/create_doc_source.ts#:~:text=IndexPatternsService) | - | | | [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit) | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/reducers/map/types.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/tooltip_property.ts#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [vector_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/vector_source/vector_source.tsx#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter), [es_tooltip_property.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.ts#:~:text=Filter)+ 117 more | 8.1 | +| | [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [data_request_descriptor_types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/descriptor_types/data_request_descriptor_types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/embeddable/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/common/elasticsearch_util/types.ts#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=Filter)+ 21 more | 8.1 | | | [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit), [es_search_source.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/classes/sources/es_search_source/es_search_source.tsx#:~:text=flattenHit) | - | -| | [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=indexPatternsServiceFactory), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/plugin.ts#:~:text=indexPatternsServiceFactory), [indexing_routes.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts#:~:text=indexPatternsServiceFactory) | - | +| | [kibana_server_services.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/kibana_server_services.ts#:~:text=indexPatternsServiceFactory), [indexing_routes.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts#:~:text=indexPatternsServiceFactory) | - | | | [maps_list_view.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/list_page/maps_list_view.tsx#:~:text=settings), [maps_list_view.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/list_page/maps_list_view.tsx#:~:text=settings), [maps_list_view.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/list_page/maps_list_view.tsx#:~:text=settings) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/server/plugin.ts#:~:text=license%24) | - | | | [render_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/render_app.tsx#:~:text=onAppLeave), [map_app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_app/map_app.tsx#:~:text=onAppLeave), [map_page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/public/routes/map_page/map_page.tsx#:~:text=onAppLeave), [render_app.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/render_app.d.ts#:~:text=onAppLeave), [map_page.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/routes/map_page/map_page.d.ts#:~:text=onAppLeave), [map_app.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/maps/target/types/public/routes/map_page/map_app/map_app.d.ts#:~:text=onAppLeave) | - | @@ -600,13 +585,8 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/app.tsx#:~:text=indexPatterns), [import_jobs_flyout.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/components/import_export_jobs/import_jobs_flyout/import_jobs_flyout.tsx#:~:text=indexPatterns), [anomaly_charts_embeddable.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/embeddables/anomaly_charts/anomaly_charts_embeddable.tsx#:~:text=indexPatterns) | - | -| | [dependency_cache.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/util/dependency_cache.ts#:~:text=fieldFormats), [app.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/app.tsx#:~:text=fieldFormats), [dependency_cache.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/target/types/public/application/util/dependency_cache.d.ts#:~:text=fieldFormats) | - | -| | [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter) | 8.1 | -| | [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter) | 8.1 | -| | [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_influencer_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_influencer_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter), [apply_entity_filters_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/ui_actions/apply_entity_filters_action.tsx#:~:text=Filter) | 8.1 | -| | [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [main_tabs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/components/navigation_menu/main_tabs.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [use_view_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_view/use_view_action.tsx#:~:text=getUrl), [use_map_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_map/use_map_action.tsx#:~:text=getUrl), [analytics_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/analytics_panel/analytics_panel.tsx#:~:text=getUrl), [page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/jobs/new_job/pages/job_type/page.tsx#:~:text=getUrl), [page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/jobs/new_job/recognize/page.tsx#:~:text=getUrl)+ 14 more | - | -| | [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [main_tabs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/components/navigation_menu/main_tabs.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [use_view_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_view/use_view_action.tsx#:~:text=getUrl), [use_map_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_map/use_map_action.tsx#:~:text=getUrl), [analytics_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/analytics_panel/analytics_panel.tsx#:~:text=getUrl), [page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/jobs/new_job/pages/job_type/page.tsx#:~:text=getUrl), [page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/jobs/new_job/recognize/page.tsx#:~:text=getUrl)+ 14 more | - | +| | [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [main_tabs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/components/navigation_menu/main_tabs.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/actions.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/actions.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [use_view_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_view/use_view_action.tsx#:~:text=getUrl), [use_map_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_map/use_map_action.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/analytics_panel/actions.tsx#:~:text=getUrl), [models_list.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/trained_models/models_management/models_list.tsx#:~:text=getUrl)+ 15 more | - | +| | [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [use_create_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/contexts/kibana/use_create_url.ts#:~:text=getUrl), [main_tabs.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/components/navigation_menu/main_tabs.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/actions.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/actions.tsx#:~:text=getUrl), [anomaly_detection_panel.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/anomaly_detection_panel/anomaly_detection_panel.tsx#:~:text=getUrl), [use_view_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_view/use_view_action.tsx#:~:text=getUrl), [use_map_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/data_frame_analytics/pages/analytics_management/components/action_map/use_map_action.tsx#:~:text=getUrl), [actions.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/overview/components/analytics_panel/actions.tsx#:~:text=getUrl), [models_list.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/trained_models/models_management/models_list.tsx#:~:text=getUrl)+ 15 more | - | | | [check_license.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/application/license/check_license.tsx#:~:text=license%24), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/public/plugin.ts#:~:text=license%24) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/server/plugin.ts#:~:text=license%24), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/server/plugin.ts#:~:text=license%24) | - | | | [annotations.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/ml/server/routes/annotations.ts#:~:text=authc) | - | @@ -639,7 +619,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [rtl_helpers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx#:~:text=IndexPatternsContract), [rtl_helpers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx#:~:text=IndexPatternsContract), [rtl_helpers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx#:~:text=IndexPatternsContract), [rtl_helpers.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/rtl_helpers.tsx#:~:text=IndexPatternsContract) | - | | | [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=IndexPattern), [lens_attributes.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/lens_attributes.ts#:~:text=IndexPattern), [lens_attributes.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/lens_attributes.ts#:~:text=IndexPattern), [lens_attributes.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/lens_attributes.ts#:~:text=IndexPattern), [default_configs.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/default_configs.ts#:~:text=IndexPattern)+ 40 more | - | | | [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=IndexPatternSpec), [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=IndexPatternSpec) | - | -| | [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/pages/alerts/index.tsx#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns)+ 5 more | - | +| | [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [observability_index_patterns.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.ts#:~:text=indexPatterns), [alerts_page.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/pages/alerts/containers/alerts_page/alerts_page.tsx#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns), [observability_index_patterns.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/utils/observability_index_patterns.test.ts#:~:text=indexPatterns)+ 5 more | - | | | [filter_value_label.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx#:~:text=esFilters), [filter_value_label.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx#:~:text=esFilters), [filter_value_label.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx#:~:text=esFilters), [filter_value_label.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/filter_value_label/filter_value_label.tsx#:~:text=esFilters), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=esFilters), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=esFilters), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=esFilters), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=esFilters), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=esFilters) | 8.1 | | | [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=ExistsFilter), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=ExistsFilter) | 8.1 | | | [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=PhraseFilter), [utils.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/observability/public/components/shared/exploratory_view/configurations/utils.ts#:~:text=PhraseFilter) | 8.1 | @@ -702,7 +682,7 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [ilm_policy_link.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/management/components/ilm_policy_link.tsx#:~:text=getUrl) | - | | | [ilm_policy_link.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/management/components/ilm_policy_link.tsx#:~:text=getUrl) | - | | | [get_csv_panel_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/panel_actions/get_csv_panel_action.tsx#:~:text=license%24), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/share_context_menu/index.ts#:~:text=license%24), [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/management/index.ts#:~:text=license%24), [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/plugin.ts#:~:text=license%24), [get_csv_panel_action.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/public/panel_actions/get_csv_panel_action.test.ts#:~:text=license%24) | - | -| | [reporting_usage_collector.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/server/usage/reporting_usage_collector.ts#:~:text=license%24), [core.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/server/core.ts#:~:text=license%24) | - | +| | [core.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/server/core.ts#:~:text=license%24), [reporting_usage_collector.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/server/usage/reporting_usage_collector.ts#:~:text=license%24) | - | | | [get_user.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/reporting/server/routes/lib/get_user.ts#:~:text=authc) | - | @@ -759,6 +739,15 @@ warning: This document is auto-generated and is meant to be viewed inside our ex +## screenshotting + +| Deprecated API | Reference location(s) | Remove By | +| ---------------|-----------|-----------| +| | [observable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/screenshots/observable.ts#:~:text=Layout), [driver.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/browsers/chromium/driver.ts#:~:text=Layout), [driver.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/browsers/chromium/driver.ts#:~:text=Layout), [open_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/screenshots/open_url.ts#:~:text=Layout), [open_url.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/screenshots/open_url.ts#:~:text=Layout), [observable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/screenshots/observable.ts#:~:text=Layout), [observable.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/screenshots/observable.ts#:~:text=Layout), [driver.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/target/types/server/browsers/chromium/driver.d.ts#:~:text=Layout), [driver.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/target/types/server/browsers/chromium/driver.d.ts#:~:text=Layout), [open_url.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/target/types/server/screenshots/open_url.d.ts#:~:text=Layout)+ 1 more | - | +| | [driver.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/screenshotting/server/browsers/chromium/driver.ts#:~:text=setScreenshotLayout) | - | + + + ## searchprofiler | Deprecated API | Reference location(s) | Remove By | @@ -781,8 +770,8 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [plugin.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/plugin.tsx#:~:text=license%24) | - | | | [license_service.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/common/licensing/license_service.test.ts#:~:text=mode), [license_service.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/common/licensing/license_service.test.ts#:~:text=mode) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/server/plugin.ts#:~:text=license%24) | - | -| | [account_management_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/account_management/account_management_app.test.ts#:~:text=appBasePath), [access_agreement_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/access_agreement/access_agreement_app.test.ts#:~:text=appBasePath), [logged_out_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logged_out/logged_out_app.test.ts#:~:text=appBasePath), [login_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/login/login_app.test.ts#:~:text=appBasePath), [logout_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logout/logout_app.test.ts#:~:text=appBasePath), [overwritten_session_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/overwritten_session/overwritten_session_app.test.ts#:~:text=appBasePath) | - | -| | [account_management_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/account_management/account_management_app.test.ts#:~:text=onAppLeave), [access_agreement_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/access_agreement/access_agreement_app.test.ts#:~:text=onAppLeave), [logged_out_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logged_out/logged_out_app.test.ts#:~:text=onAppLeave), [login_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/login/login_app.test.ts#:~:text=onAppLeave), [logout_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logout/logout_app.test.ts#:~:text=onAppLeave), [overwritten_session_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/overwritten_session/overwritten_session_app.test.ts#:~:text=onAppLeave) | - | +| | [logout_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logout/logout_app.test.ts#:~:text=appBasePath) | - | +| | [logout_app.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security/public/authentication/logout/logout_app.test.ts#:~:text=onAppLeave) | - | @@ -790,11 +779,10 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [use_risky_hosts_dashboard_button_href.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/overview/containers/overview_risky_host_links/use_risky_hosts_dashboard_button_href.ts#:~:text=dashboardUrlGenerator), [use_risky_hosts_dashboard_links.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/overview/containers/overview_risky_host_links/use_risky_hosts_dashboard_links.tsx#:~:text=dashboardUrlGenerator), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/overview/containers/overview_cti_links/index.tsx#:~:text=dashboardUrlGenerator) | - | +| | [use_risky_hosts_dashboard_button_href.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/overview/containers/overview_risky_host_links/use_risky_hosts_dashboard_button_href.ts#:~:text=dashboardUrlGenerator), [use_risky_hosts_dashboard_links.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/overview/containers/overview_risky_host_links/use_risky_hosts_dashboard_links.tsx#:~:text=dashboardUrlGenerator) | - | | | [middleware.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/management/pages/endpoint_hosts/store/middleware.ts#:~:text=indexPatterns), [dependencies_start_mock.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/common/mock/endpoint/dependencies_start_mock.ts#:~:text=indexPatterns) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/sourcerer/routes/index.ts#:~:text=indexPatternsServiceFactory) | - | -| | [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode)+ 4 more | - | -| | [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode)+ 4 more | - | +| | [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode)+ 2 more | - | +| | [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [policy_config.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/common/license/policy_config.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [fleet_integration.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/fleet_integration/fleet_integration.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [license_watch.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/lib/policy/license_watch.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode), [isolation.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/endpoint/routes/actions/isolation.test.ts#:~:text=mode)+ 2 more | - | | | [request_context_factory.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/request_context_factory.ts#:~:text=authc), [create_signals_migration_route.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/detection_engine/routes/signals/create_signals_migration_route.ts#:~:text=authc), [delete_signals_migration_route.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/detection_engine/routes/signals/delete_signals_migration_route.ts#:~:text=authc), [finalize_signals_migration_route.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/detection_engine/routes/signals/finalize_signals_migration_route.ts#:~:text=authc), [open_close_signals_route.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/detection_engine/routes/signals/open_close_signals_route.ts#:~:text=authc), [preview_rules_route.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/detection_engine/routes/rules/preview_rules_route.ts#:~:text=authc), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/server/lib/timeline/utils/common.ts#:~:text=authc) | - | | | [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/index.tsx#:~:text=onAppLeave) | - | | | [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/timelines/components/flyout/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/timelines/components/flyout/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/template_wrapper/bottom_bar/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/template_wrapper/bottom_bar/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/template_wrapper/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/template_wrapper/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/index.tsx#:~:text=AppLeaveHandler), [index.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/home/index.tsx#:~:text=AppLeaveHandler), [routes.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/routes.tsx#:~:text=AppLeaveHandler), [routes.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/security_solution/public/app/routes.tsx#:~:text=AppLeaveHandler)+ 3 more | - | @@ -840,14 +828,6 @@ warning: This document is auto-generated and is meant to be viewed inside our ex -## timelines - -| Deprecated API | Reference location(s) | Remove By | -| ---------------|-----------|-----------| -| | [index.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/timelines/server/search_strategy/index_fields/index.ts#:~:text=indexPatternsServiceFactory) | - | - - - ## transform | Deprecated API | Reference location(s) | Remove By | @@ -857,8 +837,6 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern) | - | | | [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes) | - | | | [step_create_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_create/step_create_form.tsx#:~:text=indexPatterns), [step_details_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_details/step_details_form.tsx#:~:text=indexPatterns), [use_search_items.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/use_search_items.ts#:~:text=indexPatterns), [use_clone_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/transform_management/components/action_clone/use_clone_action.tsx#:~:text=indexPatterns), [use_action_discover.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/transform_management/components/action_discover/use_action_discover.tsx#:~:text=indexPatterns), [edit_transform_flyout_form.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/transform_management/components/edit_transform_flyout/edit_transform_flyout_form.tsx#:~:text=indexPatterns), [use_edit_action.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/transform_management/components/action_edit/use_edit_action.tsx#:~:text=indexPatterns) | - | -| | [use_search_bar.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts#:~:text=esKuery), [use_search_bar.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts#:~:text=esKuery), [use_search_bar.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts#:~:text=esKuery) | 8.1 | -| | [use_search_bar.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts#:~:text=esQuery), [use_search_bar.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/sections/create_transform/components/step_define/hooks/use_search_bar.ts#:~:text=esQuery), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=esQuery), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=esQuery), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=esQuery) | 8.1 | | | [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern), [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [es_index_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/services/es_index_service.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern), [transforms.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/server/routes/api/transforms.ts#:~:text=IIndexPattern) | - | | | [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternAttributes) | - | | | [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract), [common.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/transform/public/app/hooks/use_search_items/common.ts#:~:text=IndexPatternsContract) | - | @@ -873,6 +851,9 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| +| | [app_context.mock.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/target/types/__jest__/client_integration/helpers/app_context.mock.d.ts#:~:text=IndexPattern), [app_context.mock.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/target/types/__jest__/client_integration/helpers/app_context.mock.d.ts#:~:text=IndexPattern) | - | +| | [app_context.mock.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/target/types/__jest__/client_integration/helpers/app_context.mock.d.ts#:~:text=IndexPattern), [app_context.mock.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/target/types/__jest__/client_integration/helpers/app_context.mock.d.ts#:~:text=IndexPattern) | - | +| | [app_context.mock.d.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/target/types/__jest__/client_integration/helpers/app_context.mock.d.ts#:~:text=IndexPattern) | - | | | [external_links.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/public/application/components/es_deprecation_logs/fix_deprecation_logs/external_links.tsx#:~:text=getUrl), [app_context.mock.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/__jest__/client_integration/helpers/app_context.mock.ts#:~:text=getUrl) | - | | | [external_links.tsx](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/public/application/components/es_deprecation_logs/fix_deprecation_logs/external_links.tsx#:~:text=getUrl), [app_context.mock.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/__jest__/client_integration/helpers/app_context.mock.ts#:~:text=getUrl) | - | | | [reindex_service.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/server/lib/reindexing/reindex_service.ts#:~:text=license%24), [reindex_service.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/server/lib/reindexing/reindex_service.test.ts#:~:text=license%24), [reindex_service.test.ts](https://github.com/elastic/kibana/tree/master/x-pack/plugins/upgrade_assistant/server/lib/reindexing/reindex_service.test.ts#:~:text=license%24) | - | @@ -938,13 +919,9 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | ---------------|-----------|-----------| | | [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/plugin.ts#:~:text=indexPatterns) | - | -| | [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams) | 8.1 | -| | [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=esQuery), [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=esQuery), [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=esQuery) | 8.1 | -| | [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter) | 8.1 | +| | [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams) | 8.1 | | | [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [plugin_services.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/plugin_services.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract), [timelion_expression_input_helpers.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_expression_input_helpers.test.ts#:~:text=IndexPatternsContract) | - | -| | [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter) | 8.1 | -| | [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams) | 8.1 | -| | [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/helpers/timelion_request_handler.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter), [timelion_vis_fn.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_fn.ts#:~:text=Filter) | 8.1 | +| | [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_renderer.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/timelion_vis_renderer.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/components/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams), [timelion_vis_component.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/public/legacy/timelion_vis_component.tsx#:~:text=RangeFilterParams) | 8.1 | | | [run.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timelion/server/routes/run.ts#:~:text=indexPatternsServiceFactory) | - | @@ -959,19 +936,16 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [fetch_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/lib/fetch_fields.ts#:~:text=indexPatterns), [combo_box_select.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/index_pattern_select/combo_box_select.tsx#:~:text=indexPatterns), [query_bar_wrapper.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/query_bar_wrapper.tsx#:~:text=indexPatterns), [annotation_row.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/annotation_row.tsx#:~:text=indexPatterns), [metrics_type.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/metrics_type.ts#:~:text=indexPatterns), [convert_series_to_datatable.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.ts#:~:text=indexPatterns), [timeseries_visualization.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/timeseries_visualization.tsx#:~:text=indexPatterns) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/plugin.ts#:~:text=fieldFormats) | - | | | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig) | 8.1 | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter) | 8.1 | | | [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField)+ 2 more | - | | | [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=IndexPatternsService), [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=IndexPatternsService), [default_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/default_search_strategy.ts#:~:text=IndexPatternsService), [default_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/default_search_strategy.ts#:~:text=IndexPatternsService), [cached_index_pattern_fetcher.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.ts#:~:text=IndexPatternsService), [cached_index_pattern_fetcher.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.ts#:~:text=IndexPatternsService), [rollup_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/rollup_search_strategy.ts#:~:text=IndexPatternsService), [rollup_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/rollup_search_strategy.ts#:~:text=IndexPatternsService), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/types.ts#:~:text=IndexPatternsService), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/types.ts#:~:text=IndexPatternsService)+ 44 more | - | | | [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern)+ 36 more | - | | | [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=getNonScriptedFields), [fetch_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/lib/fetch_fields.ts#:~:text=getNonScriptedFields), [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=getNonScriptedFields), [fetch_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/lib/fetch_fields.ts#:~:text=getNonScriptedFields) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter) | 8.1 | | | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig) | 8.1 | | | [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField), [convert_series_to_datatable.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/components/lib/convert_series_to_datatable.test.ts#:~:text=IndexPatternField) | - | | | [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [cached_index_pattern_fetcher.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.test.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=IndexPattern), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern), [index_patterns_utils.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/index_patterns_utils.test.ts#:~:text=IndexPattern)+ 13 more | - | | | [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=IndexPatternsService), [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=IndexPatternsService), [default_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/default_search_strategy.ts#:~:text=IndexPatternsService), [default_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/default_search_strategy.ts#:~:text=IndexPatternsService), [cached_index_pattern_fetcher.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.ts#:~:text=IndexPatternsService), [cached_index_pattern_fetcher.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/lib/cached_index_pattern_fetcher.ts#:~:text=IndexPatternsService), [rollup_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/rollup_search_strategy.ts#:~:text=IndexPatternsService), [rollup_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/rollup_search_strategy.ts#:~:text=IndexPatternsService), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/types.ts#:~:text=IndexPatternsService), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/types.ts#:~:text=IndexPatternsService)+ 44 more | - | | | [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=getNonScriptedFields), [fetch_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/lib/fetch_fields.ts#:~:text=getNonScriptedFields) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/plugin.ts#:~:text=fieldFormats) | - | -| | [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter), [index.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/common/types/index.ts#:~:text=Filter) | 8.1 | | | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/vis_data/request_processors/table/types.ts#:~:text=EsQueryConfig) | 8.1 | | | [abstract_search_strategy.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts#:~:text=getNonScriptedFields), [fetch_fields.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/public/application/lib/fetch_fields.ts#:~:text=getNonScriptedFields) | - | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/timeseries/server/plugin.ts#:~:text=indexPatternsServiceFactory) | - | @@ -984,12 +958,8 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | ---------------|-----------|-----------| | | [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern) | - | | | [search_api.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/data_model/search_api.ts#:~:text=indexPatterns), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=indexPatterns), [search_api.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/data_model/search_api.test.ts#:~:text=indexPatterns), [search_api.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/data_model/search_api.test.ts#:~:text=indexPatterns), [search_api.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/data_model/search_api.test.ts#:~:text=indexPatterns), [view.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_view/vega_map_view/view.test.ts#:~:text=indexPatterns) | - | -| | [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=esQuery), [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=esQuery), [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=esQuery) | 8.1 | -| | [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter), [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter) | 8.1 | | | [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern) | - | -| | [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter), [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter) | 8.1 | | | [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern), [extract_index_pattern.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/lib/extract_index_pattern.ts#:~:text=IndexPattern) | - | -| | [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter), [vega_request_handler.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/vega_request_handler.ts#:~:text=Filter) | 8.1 | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/plugin.ts#:~:text=injectedMetadata) | - | | | [search_api.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/data_model/search_api.ts#:~:text=injectedMetadata), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/public/plugin.ts#:~:text=injectedMetadata), [search_api.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/vis_types/vega/target/types/public/data_model/search_api.d.ts#:~:text=injectedMetadata) | - | @@ -1019,16 +989,14 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern)+ 10 more | - | +| | [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern)+ 14 more | - | | | [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=toJSON) | 8.1 | | | [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=esFilters), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=esFilters) | 8.1 | -| | [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter) | 8.1 | | | [controls_references.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_visualization_references/controls_references.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [controls_references.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_visualization_references/controls_references.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [timeseries_references.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_visualization_references/timeseries_references.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [timeseries_references.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_visualization_references/timeseries_references.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [visualization_saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/server/migrations/visualization_saved_object_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [visualization_saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/server/migrations/visualization_saved_object_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [visualization_saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/server/migrations/visualization_saved_object_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [visualization_saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/server/migrations/visualization_saved_object_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [visualization_saved_object_migrations.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/server/migrations/visualization_saved_object_migrations.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE), [controls_references.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_visualization_references/controls_references.ts#:~:text=INDEX_PATTERN_SAVED_OBJECT_TYPE)+ 8 more | - | -| | [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern)+ 10 more | - | -| | [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter) | 8.1 | +| | [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern)+ 14 more | - | | | [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=toJSON) | 8.1 | -| | [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern) | - | -| | [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=Filter) | 8.1 | +| | [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [base_vis_type.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/target/types/public/vis_types/base_vis_type.d.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [vis.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/vis_types/types.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [create_vis_embeddable_from_object.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/create_vis_embeddable_from_object.ts#:~:text=IndexPattern), [visualize_embeddable.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/embeddable/visualize_embeddable.tsx#:~:text=IndexPattern)+ 2 more | - | +| | [display_duplicate_title_confirm_modal.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_objects_utils/display_duplicate_title_confirm_modal.ts#:~:text=SavedObject), [display_duplicate_title_confirm_modal.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_objects_utils/display_duplicate_title_confirm_modal.ts#:~:text=SavedObject), [check_for_duplicate_title.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_objects_utils/check_for_duplicate_title.ts#:~:text=SavedObject), [check_for_duplicate_title.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualizations/public/utils/saved_objects_utils/check_for_duplicate_title.ts#:~:text=SavedObject) | - | @@ -1039,13 +1007,10 @@ warning: This document is auto-generated and is meant to be viewed inside our ex | | [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern) | - | | | [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=indexPatterns), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=indexPatterns), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=indexPatterns), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=indexPatterns) | - | | | [use_visualize_app_state.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_visualize_app_state.tsx#:~:text=esFilters), [use_visualize_app_state.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_visualize_app_state.tsx#:~:text=esFilters), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=esFilters), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=esFilters), [get_visualize_list_item_link.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/get_visualize_list_item_link.test.ts#:~:text=esFilters), [get_visualize_list_item_link.test.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/get_visualize_list_item_link.test.ts#:~:text=esFilters) | 8.1 | -| | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter)+ 6 more | 8.1 | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=ensureDefaultDataView), [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=ensureDefaultDataView) | - | | | [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern) | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter)+ 6 more | 8.1 | | | [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/common/locator.ts#:~:text=isFilterPinned), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/common/locator.ts#:~:text=isFilterPinned), [locator.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/common/locator.ts#:~:text=isFilterPinned) | 8.1 | | | [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern), [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=IndexPattern) | - | -| | [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [types.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/types.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [utils.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/utils.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [use_linked_search_updates.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/utils/use/use_linked_search_updates.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter), [types.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/types.d.ts#:~:text=Filter)+ 6 more | 8.1 | | | [plugin.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/plugin.ts#:~:text=ensureDefaultDataView) | - | | | [visualize_listing.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_listing.tsx#:~:text=settings), [visualize_listing.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_listing.tsx#:~:text=settings) | - | | | [visualize_top_nav.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_top_nav.tsx#:~:text=onAppLeave), [visualize_editor_common.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/components/visualize_editor_common.tsx#:~:text=onAppLeave), [app.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/app.tsx#:~:text=onAppLeave), [index.tsx](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/public/application/index.tsx#:~:text=onAppLeave), [app.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/app.d.ts#:~:text=onAppLeave), [index.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/index.d.ts#:~:text=onAppLeave), [visualize_editor_common.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/components/visualize_editor_common.d.ts#:~:text=onAppLeave), [visualize_top_nav.d.ts](https://github.com/elastic/kibana/tree/master/src/plugins/visualize/target/types/public/application/components/visualize_top_nav.d.ts#:~:text=onAppLeave) | - | diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 5f44f6e6f31b00..3f73439370a268 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -16,7 +16,7 @@ Contact [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-ma **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 10 | 0 | 8 | 2 | diff --git a/api_docs/discover.json b/api_docs/discover.json index 4fe053761869a3..e51f7b271edad0 100644 --- a/api_docs/discover.json +++ b/api_docs/discover.json @@ -348,13 +348,7 @@ "\nOptionally apply filters." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/discover/public/locator.ts", @@ -370,13 +364,7 @@ "\nOptionally set a query." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/discover/public/locator.ts", @@ -600,13 +588,7 @@ "\nOptionally apply filters." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/discover/public/url_generator.ts", @@ -622,13 +604,7 @@ "\nOptionally set a query. NOTE: if given and used in conjunction with `dashboardId`, and the\nsaved dashboard has a query saved with it, this will _replace_ that query." ], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/discover/public/url_generator.ts", @@ -835,7 +811,25 @@ "label": "searchSource", "description": [], "signature": [ - "{ history: Record[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", + "{ create: () => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSource", + "text": "SearchSource" + }, + "; history: ", + "SearchRequest", + "[]; setOverwriteDataViewType: (overwriteType: string | false | undefined) => void; setField: (field: K, value: ", { "pluginId": "data", "scope": "common", @@ -851,7 +845,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; removeField: (field: K) => ", + "; removeField: (field: K) => ", { "pluginId": "data", "scope": "common", @@ -883,7 +885,7 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "; getField: (field: K, recurse?: boolean) => ", + "; getField: (field: K) => ", + ">(field: K, recurse?: boolean) => ", { "pluginId": "data", "scope": "common", @@ -899,15 +901,23 @@ "section": "def-common.SearchSourceFields", "text": "SearchSourceFields" }, - "[K]; create: () => ", + "[K]; getOwnField: ", + ">(field: K) => ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataSearchPluginApi", + "section": "def-common.SearchSourceFields", + "text": "SearchSourceFields" + }, + "[K]; createCopy: () => ", { "pluginId": "data", "scope": "common", @@ -923,15 +933,15 @@ "section": "def-common.SearchSource", "text": "SearchSource" }, - "; setParent: (parent?: Pick<", + "; setParent: (parent?: ", { "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSource", - "text": "SearchSource" + "section": "def-common.ISearchSource", + "text": "ISearchSource" }, - ", \"history\" | \"setOverwriteDataViewType\" | \"setField\" | \"removeField\" | \"setFields\" | \"getId\" | \"getFields\" | \"getField\" | \"getOwnField\" | \"create\" | \"createCopy\" | \"createChild\" | \"setParent\" | \"getParent\" | \"fetch$\" | \"fetch\" | \"onRequestStart\" | \"getSearchRequestBody\" | \"destroy\" | \"getSerializedFields\" | \"serialize\"> | undefined, options?: ", + " | undefined, options?: ", { "pluginId": "data", "scope": "common", @@ -1006,8 +1016,8 @@ "pluginId": "data", "scope": "common", "docId": "kibDataSearchPluginApi", - "section": "def-common.SearchSourceFields", - "text": "SearchSourceFields" + "section": "def-common.SerializedSearchSourceFields", + "text": "SerializedSearchSourceFields" }, "; serialize: () => { searchSourceJSON: string; references: ", "SavedObjectReference", @@ -1201,13 +1211,7 @@ "label": "query", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, + "Query", " | undefined" ], "path": "src/plugins/discover/public/embeddable/types.ts", @@ -1221,13 +1225,7 @@ "label": "filters", "description": [], "signature": [ - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, + "Filter", "[] | undefined" ], "path": "src/plugins/discover/public/embeddable/types.ts", @@ -1356,8 +1354,8 @@ "label": "docViews", "description": [], "signature": [ - "{ addDocView(docViewRaw: ComponentDocViewInput | ", - "RenderDocViewInput", + "{ addDocView(docViewRaw: ", + "DocViewInput", " | ", "DocViewInputFn", "): void; }" diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index 3115411252d25e..a3d11bf30fac45 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -16,7 +16,7 @@ Contact [Data Discovery](https://github.com/orgs/elastic/teams/kibana-data-disco **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 89 | 0 | 61 | 7 | diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index aa026d4a3f9028..5bf63f70393f6e 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -16,7 +16,7 @@ Contact [Data Discovery](https://github.com/orgs/elastic/teams/kibana-data-disco **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 37 | 0 | 35 | 2 | diff --git a/api_docs/elastic_apm_synthtrace.json b/api_docs/elastic_apm_synthtrace.json index 0f47f0f26abe0a..d3367b38ddf189 100644 --- a/api_docs/elastic_apm_synthtrace.json +++ b/api_docs/elastic_apm_synthtrace.json @@ -12,17 +12,17 @@ "classes": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient", + "id": "def-server.ApmSynthtraceEsClient", "type": "Class", "tags": [], - "label": "SynthtraceEsClient", + "label": "ApmSynthtraceEsClient", "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.Unnamed", + "id": "def-server.ApmSynthtraceEsClient.Unnamed", "type": "Function", "tags": [], "label": "Constructor", @@ -30,12 +30,12 @@ "signature": [ "any" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.Unnamed.$1", + "id": "def-server.ApmSynthtraceEsClient.Unnamed.$1", "type": "Object", "tags": [], "label": "client", @@ -43,13 +43,13 @@ "signature": [ "default" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "isRequired": true }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.Unnamed.$2", + "id": "def-server.ApmSynthtraceEsClient.Unnamed.$2", "type": "Object", "tags": [], "label": "logger", @@ -57,7 +57,7 @@ "signature": [ "{ perf: (name: string, cb: () => T) => T; debug: (...args: any[]) => void; info: (...args: any[]) => void; error: (...args: any[]) => void; }" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "isRequired": true } @@ -66,7 +66,7 @@ }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.clean", + "id": "def-server.ApmSynthtraceEsClient.clean", "type": "Function", "tags": [], "label": "clean", @@ -74,40 +74,52 @@ "signature": [ "() => Promise" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "children": [], "returnComment": [] }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.index", + "id": "def-server.ApmSynthtraceEsClient.index", "type": "Function", "tags": [], "label": "index", "description": [], "signature": [ "(events: ", - "Fields", + { + "pluginId": "@elastic/apm-synthtrace", + "scope": "server", + "docId": "kibElasticApmSynthtracePluginApi", + "section": "def-server.Fields", + "text": "Fields" + }, "[]) => Promise<", "IndicesRefreshResponse", ">" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.SynthtraceEsClient.index.$1", + "id": "def-server.ApmSynthtraceEsClient.index.$1", "type": "Array", "tags": [], "label": "events", "description": [], "signature": [ - "Fields", + { + "pluginId": "@elastic/apm-synthtrace", + "scope": "server", + "docId": "kibElasticApmSynthtracePluginApi", + "section": "def-server.Fields", + "text": "Fields" + }, "[]" ], - "path": "packages/elastic-apm-synthtrace/src/lib/client/synthtrace_es_client.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/client/apm_synthtrace_es_client.ts", "deprecated": false, "isRequired": true } @@ -119,66 +131,6 @@ } ], "functions": [ - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.browser", - "type": "Function", - "tags": [], - "label": "browser", - "description": [], - "signature": [ - "(serviceName: string, production: string, userAgent: Partial<{ 'user_agent.original': string; 'user_agent.os.name': string; 'user_agent.name': string; 'user_agent.device.name': string; 'user_agent.version': number; }>) => ", - "Browser" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/browser.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.browser.$1", - "type": "string", - "tags": [], - "label": "serviceName", - "description": [], - "signature": [ - "string" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/browser.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.browser.$2", - "type": "string", - "tags": [], - "label": "production", - "description": [], - "signature": [ - "string" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/browser.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.browser.$3", - "type": "Object", - "tags": [], - "label": "userAgent", - "description": [], - "signature": [ - "Partial<{ 'user_agent.original': string; 'user_agent.os.name': string; 'user_agent.name': string; 'user_agent.device.name': string; 'user_agent.version': number; }>" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/browser.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@elastic/apm-synthtrace", "id": "def-server.cleanWriteTargets", @@ -187,9 +139,7 @@ "label": "cleanWriteTargets", "description": [], "signature": [ - "({\n writeTargets,\n client,\n logger,\n}: { writeTargets: ", - "ElasticsearchOutputWriteTargets", - "; client: ", + "({\n targets,\n client,\n logger,\n}: { targets: string[]; client: ", "default", "; logger: { perf: (name: string, cb: () => T) => T; debug: (...args: any[]) => void; info: (...args: any[]) => void; error: (...args: any[]) => void; }; }) => Promise" ], @@ -201,20 +151,20 @@ "id": "def-server.cleanWriteTargets.$1", "type": "Object", "tags": [], - "label": "{\n writeTargets,\n client,\n logger,\n}", + "label": "{\n targets,\n client,\n logger,\n}", "description": [], "path": "packages/elastic-apm-synthtrace/src/lib/utils/clean_write_targets.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.cleanWriteTargets.$1.writeTargets", - "type": "Object", + "id": "def-server.cleanWriteTargets.$1.targets", + "type": "Array", "tags": [], - "label": "writeTargets", + "label": "targets", "description": [], "signature": [ - "ElasticsearchOutputWriteTargets" + "string[]" ], "path": "packages/elastic-apm-synthtrace/src/lib/utils/clean_write_targets.ts", "deprecated": false @@ -298,412 +248,507 @@ }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getBreakdownMetrics", + "id": "def-server.timerange", "type": "Function", "tags": [], - "label": "getBreakdownMetrics", + "label": "timerange", "description": [], "signature": [ - "(events: ", - "Fields", - "[]) => ", - "Fields", - "[]" + "(from: number, to: number) => ", + "Timerange" ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_breakdown_metrics.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getBreakdownMetrics.$1", - "type": "Array", + "id": "def-server.timerange.$1", + "type": "number", "tags": [], - "label": "events", + "label": "from", "description": [], "signature": [ - "Fields", - "[]" + "number" ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_breakdown_metrics.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.timerange.$2", + "type": "number", + "tags": [], + "label": "to", + "description": [], + "signature": [ + "number" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", "deprecated": false, "isRequired": true } ], "returnComment": [], "initialIsOpen": false - }, + } + ], + "interfaces": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getChromeUserAgentDefaults", - "type": "Function", + "id": "def-server.ApmException", + "type": "Interface", "tags": [], - "label": "getChromeUserAgentDefaults", + "label": "ApmException", "description": [], - "signature": [ - "() => Partial<{ 'user_agent.original': string; 'user_agent.os.name': string; 'user_agent.name': string; 'user_agent.device.name': string; 'user_agent.version': number; }>" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/defaults/get_chrome_user_agent_defaults.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/apm_fields.ts", "deprecated": false, - "children": [], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getObserverDefaults", - "type": "Function", - "tags": [], - "label": "getObserverDefaults", - "description": [], - "signature": [ - "() => ", - "Fields" + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.ApmException.message", + "type": "string", + "tags": [], + "label": "message", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/apm_fields.ts", + "deprecated": false + } ], - "path": "packages/elastic-apm-synthtrace/src/lib/defaults/get_observer_defaults.ts", - "deprecated": false, - "children": [], - "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getSpanDestinationMetrics", - "type": "Function", + "id": "def-server.Fields", + "type": "Interface", "tags": [], - "label": "getSpanDestinationMetrics", + "label": "Fields", "description": [], - "signature": [ - "(events: ", - "Fields", - "[]) => { \"metricset.name\": string; 'span.destination.service.response_time.sum.us': number; 'span.destination.service.response_time.count': number; '@timestamp'?: number | undefined; 'agent.name'?: string | undefined; 'agent.version'?: string | undefined; 'container.id'?: string | undefined; 'ecs.version'?: string | undefined; 'event.outcome'?: string | undefined; 'event.ingested'?: number | undefined; 'error.id'?: string | undefined; 'error.exception'?: ", - { - "pluginId": "@elastic/apm-synthtrace", - "scope": "server", - "docId": "kibElasticApmSynthtracePluginApi", - "section": "def-server.Exception", - "text": "Exception" - }, - "[] | undefined; 'error.grouping_name'?: string | undefined; 'error.grouping_key'?: string | undefined; 'host.name'?: string | undefined; 'kubernetes.pod.uid'?: string | undefined; 'observer.version'?: string | undefined; 'observer.version_major'?: number | undefined; 'parent.id'?: string | undefined; 'processor.event'?: string | undefined; 'processor.name'?: string | undefined; 'trace.id'?: string | undefined; 'transaction.name'?: string | undefined; 'transaction.type'?: string | undefined; 'transaction.id'?: string | undefined; 'transaction.duration.us'?: number | undefined; 'transaction.duration.histogram'?: { values: number[]; counts: number[]; } | undefined; 'transaction.sampled'?: true | undefined; 'service.name'?: string | undefined; 'service.environment'?: string | undefined; 'service.node.name'?: string | undefined; 'span.id'?: string | undefined; 'span.name'?: string | undefined; 'span.type'?: string | undefined; 'span.subtype'?: string | undefined; 'span.duration.us'?: number | undefined; 'span.destination.service.name'?: string | undefined; 'span.destination.service.resource'?: string | undefined; 'span.destination.service.type'?: string | undefined; 'span.self_time.count'?: number | undefined; 'span.self_time.sum.us'?: number | undefined; 'system.process.memory.size'?: number | undefined; 'system.memory.actual.free'?: number | undefined; 'system.memory.total'?: number | undefined; 'system.cpu.total.norm.pct'?: number | undefined; 'system.process.memory.rss.bytes'?: number | undefined; 'system.process.cpu.total.norm.pct'?: number | undefined; }[]" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_span_destination_metrics.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/entity.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getSpanDestinationMetrics.$1", - "type": "Array", + "id": "def-server.Fields.timestamp", + "type": "number", "tags": [], - "label": "events", + "label": "'@timestamp'", "description": [], "signature": [ - "Fields", - "[]" + "number | undefined" ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_span_destination_metrics.ts", - "deprecated": false, - "isRequired": true + "path": "packages/elastic-apm-synthtrace/src/lib/entity.ts", + "deprecated": false } ], - "returnComment": [], "initialIsOpen": false - }, + } + ], + "enums": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getTransactionMetrics", - "type": "Function", + "id": "def-server.LogLevel", + "type": "Enum", "tags": [], - "label": "getTransactionMetrics", + "label": "LogLevel", "description": [], - "signature": [ - "(events: ", - "Fields", - "[]) => { 'transaction.duration.histogram': { values: number[]; counts: number[]; }; _doc_count: number; '@timestamp'?: number | undefined; 'agent.name'?: string | undefined; 'agent.version'?: string | undefined; 'container.id'?: string | undefined; 'ecs.version'?: string | undefined; 'event.outcome'?: string | undefined; 'event.ingested'?: number | undefined; 'error.id'?: string | undefined; 'error.exception'?: ", - { - "pluginId": "@elastic/apm-synthtrace", - "scope": "server", - "docId": "kibElasticApmSynthtracePluginApi", - "section": "def-server.Exception", - "text": "Exception" - }, - "[] | undefined; 'error.grouping_name'?: string | undefined; 'error.grouping_key'?: string | undefined; 'host.name'?: string | undefined; 'kubernetes.pod.uid'?: string | undefined; 'metricset.name'?: string | undefined; 'observer.version'?: string | undefined; 'observer.version_major'?: number | undefined; 'parent.id'?: string | undefined; 'processor.event'?: string | undefined; 'processor.name'?: string | undefined; 'trace.id'?: string | undefined; 'transaction.name'?: string | undefined; 'transaction.type'?: string | undefined; 'transaction.id'?: string | undefined; 'transaction.duration.us'?: number | undefined; 'transaction.sampled'?: true | undefined; 'service.name'?: string | undefined; 'service.environment'?: string | undefined; 'service.node.name'?: string | undefined; 'span.id'?: string | undefined; 'span.name'?: string | undefined; 'span.type'?: string | undefined; 'span.subtype'?: string | undefined; 'span.duration.us'?: number | undefined; 'span.destination.service.name'?: string | undefined; 'span.destination.service.resource'?: string | undefined; 'span.destination.service.type'?: string | undefined; 'span.destination.service.response_time.sum.us'?: number | undefined; 'span.destination.service.response_time.count'?: number | undefined; 'span.self_time.count'?: number | undefined; 'span.self_time.sum.us'?: number | undefined; 'system.process.memory.size'?: number | undefined; 'system.memory.actual.free'?: number | undefined; 'system.memory.total'?: number | undefined; 'system.cpu.total.norm.pct'?: number | undefined; 'system.process.memory.rss.bytes'?: number | undefined; 'system.process.cpu.total.norm.pct'?: number | undefined; }[]" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_transaction_metrics.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/utils/create_logger.ts", + "deprecated": false, + "initialIsOpen": false + } + ], + "misc": [], + "objects": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm", + "type": "Object", + "tags": [], + "label": "apm", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getTransactionMetrics.$1", - "type": "Array", + "id": "def-server.apm.service", + "type": "Function", "tags": [], - "label": "events", + "label": "service", "description": [], "signature": [ - "Fields", - "[]" + "(name: string, environment: string, agentName: string) => ", + "Service" ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_transaction_metrics.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getWriteTargets", - "type": "Function", - "tags": [], - "label": "getWriteTargets", - "description": [], - "signature": [ - "({\n client,\n}: { client: ", - "default", - "; }) => Promise<", - "ElasticsearchOutputWriteTargets", - ">" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_write_targets.ts", - "deprecated": false, - "children": [ + "returnComment": [], + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.service.$1", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/service.ts", + "deprecated": false + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.service.$2", + "type": "string", + "tags": [], + "label": "environment", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/service.ts", + "deprecated": false + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.service.$3", + "type": "string", + "tags": [], + "label": "agentName", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/service.ts", + "deprecated": false + } + ] + }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getWriteTargets.$1", - "type": "Object", + "id": "def-server.apm.browser", + "type": "Function", "tags": [], - "label": "{\n client,\n}", + "label": "browser", "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_write_targets.ts", + "signature": [ + "(serviceName: string, production: string, userAgent: Partial<{ 'user_agent.original': string; 'user_agent.os.name': string; 'user_agent.name': string; 'user_agent.device.name': string; 'user_agent.version': number; }>) => ", + "Browser" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, + "returnComment": [], "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.getWriteTargets.$1.client", + "id": "def-server.apm.browser.$1", + "type": "string", + "tags": [], + "label": "serviceName", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/browser.ts", + "deprecated": false + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.browser.$2", + "type": "string", + "tags": [], + "label": "production", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/browser.ts", + "deprecated": false + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.browser.$3", "type": "Object", "tags": [], - "label": "client", + "label": "userAgent", "description": [], "signature": [ - "default" + "{ 'user_agent.original'?: string | undefined; 'user_agent.os.name'?: string | undefined; 'user_agent.name'?: string | undefined; 'user_agent.device.name'?: string | undefined; 'user_agent.version'?: number | undefined; }" ], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/get_write_targets.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/browser.ts", "deprecated": false } ] - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.service", - "type": "Function", - "tags": [], - "label": "service", - "description": [], - "signature": [ - "(name: string, environment: string, agentName: string) => ", - "Service" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/service.ts", - "deprecated": false, - "children": [ + }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.service.$1", - "type": "string", + "id": "def-server.apm.getTransactionMetrics", + "type": "Function", "tags": [], - "label": "name", + "label": "getTransactionMetrics", "description": [], "signature": [ - "string" + "(events: ", + "ApmFields", + "[]) => { 'metricset.name': string; 'transaction.duration.histogram': { values: number[]; counts: number[]; }; _doc_count: number; '@timestamp'?: number | undefined; 'agent.name'?: string | undefined; 'agent.version'?: string | undefined; 'container.id'?: string | undefined; 'ecs.version'?: string | undefined; 'event.outcome'?: string | undefined; 'event.ingested'?: number | undefined; 'error.id'?: string | undefined; 'error.exception'?: ", + { + "pluginId": "@elastic/apm-synthtrace", + "scope": "server", + "docId": "kibElasticApmSynthtracePluginApi", + "section": "def-server.ApmException", + "text": "ApmException" + }, + "[] | undefined; 'error.grouping_name'?: string | undefined; 'error.grouping_key'?: string | undefined; 'host.name'?: string | undefined; 'kubernetes.pod.uid'?: string | undefined; 'observer.version'?: string | undefined; 'observer.version_major'?: number | undefined; 'parent.id'?: string | undefined; 'processor.event'?: string | undefined; 'processor.name'?: string | undefined; 'trace.id'?: string | undefined; 'transaction.name'?: string | undefined; 'transaction.type'?: string | undefined; 'transaction.id'?: string | undefined; 'transaction.duration.us'?: number | undefined; 'transaction.sampled'?: true | undefined; 'service.name'?: string | undefined; 'service.environment'?: string | undefined; 'service.node.name'?: string | undefined; 'span.id'?: string | undefined; 'span.name'?: string | undefined; 'span.type'?: string | undefined; 'span.subtype'?: string | undefined; 'span.duration.us'?: number | undefined; 'span.destination.service.name'?: string | undefined; 'span.destination.service.resource'?: string | undefined; 'span.destination.service.type'?: string | undefined; 'span.destination.service.response_time.sum.us'?: number | undefined; 'span.destination.service.response_time.count'?: number | undefined; 'span.self_time.count'?: number | undefined; 'span.self_time.sum.us'?: number | undefined; 'system.process.memory.size'?: number | undefined; 'system.memory.actual.free'?: number | undefined; 'system.memory.total'?: number | undefined; 'system.cpu.total.norm.pct'?: number | undefined; 'system.process.memory.rss.bytes'?: number | undefined; 'system.process.cpu.total.norm.pct'?: number | undefined; 'jvm.memory.heap.used'?: number | undefined; 'jvm.memory.non_heap.used'?: number | undefined; 'jvm.thread.count'?: number | undefined; }[]" ], - "path": "packages/elastic-apm-synthtrace/src/lib/service.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true + "returnComment": [], + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.getTransactionMetrics.$1", + "type": "Array", + "tags": [], + "label": "events", + "description": [], + "signature": [ + "ApmFields", + "[]" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/utils/get_transaction_metrics.ts", + "deprecated": false + } + ] }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.service.$2", - "type": "string", + "id": "def-server.apm.getSpanDestinationMetrics", + "type": "Function", "tags": [], - "label": "environment", + "label": "getSpanDestinationMetrics", "description": [], "signature": [ - "string" + "(events: ", + "ApmFields", + "[]) => { \"metricset.name\": string; 'span.destination.service.response_time.sum.us': number; 'span.destination.service.response_time.count': number; '@timestamp'?: number | undefined; 'agent.name'?: string | undefined; 'agent.version'?: string | undefined; 'container.id'?: string | undefined; 'ecs.version'?: string | undefined; 'event.outcome'?: string | undefined; 'event.ingested'?: number | undefined; 'error.id'?: string | undefined; 'error.exception'?: ", + { + "pluginId": "@elastic/apm-synthtrace", + "scope": "server", + "docId": "kibElasticApmSynthtracePluginApi", + "section": "def-server.ApmException", + "text": "ApmException" + }, + "[] | undefined; 'error.grouping_name'?: string | undefined; 'error.grouping_key'?: string | undefined; 'host.name'?: string | undefined; 'kubernetes.pod.uid'?: string | undefined; 'observer.version'?: string | undefined; 'observer.version_major'?: number | undefined; 'parent.id'?: string | undefined; 'processor.event'?: string | undefined; 'processor.name'?: string | undefined; 'trace.id'?: string | undefined; 'transaction.name'?: string | undefined; 'transaction.type'?: string | undefined; 'transaction.id'?: string | undefined; 'transaction.duration.us'?: number | undefined; 'transaction.duration.histogram'?: { values: number[]; counts: number[]; } | undefined; 'transaction.sampled'?: true | undefined; 'service.name'?: string | undefined; 'service.environment'?: string | undefined; 'service.node.name'?: string | undefined; 'span.id'?: string | undefined; 'span.name'?: string | undefined; 'span.type'?: string | undefined; 'span.subtype'?: string | undefined; 'span.duration.us'?: number | undefined; 'span.destination.service.name'?: string | undefined; 'span.destination.service.resource'?: string | undefined; 'span.destination.service.type'?: string | undefined; 'span.self_time.count'?: number | undefined; 'span.self_time.sum.us'?: number | undefined; 'system.process.memory.size'?: number | undefined; 'system.memory.actual.free'?: number | undefined; 'system.memory.total'?: number | undefined; 'system.cpu.total.norm.pct'?: number | undefined; 'system.process.memory.rss.bytes'?: number | undefined; 'system.process.cpu.total.norm.pct'?: number | undefined; 'jvm.memory.heap.used'?: number | undefined; 'jvm.memory.non_heap.used'?: number | undefined; 'jvm.thread.count'?: number | undefined; }[]" ], - "path": "packages/elastic-apm-synthtrace/src/lib/service.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true + "returnComment": [], + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.getSpanDestinationMetrics.$1", + "type": "Array", + "tags": [], + "label": "events", + "description": [], + "signature": [ + "ApmFields", + "[]" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/utils/get_span_destination_metrics.ts", + "deprecated": false + } + ] }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.service.$3", - "type": "string", + "id": "def-server.apm.getObserverDefaults", + "type": "Function", "tags": [], - "label": "agentName", + "label": "getObserverDefaults", "description": [], "signature": [ - "string" + "() => ", + "ApmFields" ], - "path": "packages/elastic-apm-synthtrace/src/lib/service.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.timerange", - "type": "Function", - "tags": [], - "label": "timerange", - "description": [], - "signature": [ - "(from: number, to: number) => ", - "Timerange" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", - "deprecated": false, - "children": [ + "returnComment": [], + "children": [] + }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.timerange.$1", - "type": "number", + "id": "def-server.apm.getChromeUserAgentDefaults", + "type": "Function", "tags": [], - "label": "from", + "label": "getChromeUserAgentDefaults", "description": [], "signature": [ - "number" + "() => Partial<{ 'user_agent.original': string; 'user_agent.os.name': string; 'user_agent.name': string; 'user_agent.device.name': string; 'user_agent.version': number; }>" ], - "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true + "returnComment": [], + "children": [] }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.timerange.$2", - "type": "number", + "id": "def-server.apm.apmEventsToElasticsearchOutput", + "type": "Function", "tags": [], - "label": "to", + "label": "apmEventsToElasticsearchOutput", "description": [], "signature": [ - "number" + "({ events, writeTargets, }: { events: ", + "ApmFields", + "[]; writeTargets: ", + "ApmElasticsearchOutputWriteTargets", + "; }) => ", + "ElasticsearchOutput", + "[]" ], - "path": "packages/elastic-apm-synthtrace/src/lib/timerange.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.toElasticsearchOutput", - "type": "Function", - "tags": [], - "label": "toElasticsearchOutput", - "description": [], - "signature": [ - "({\n events,\n writeTargets,\n}: { events: ", - "Fields", - "[]; writeTargets: ", - "ElasticsearchOutputWriteTargets", - "; }) => ", - "ElasticsearchOutput", - "[]" - ], - "path": "packages/elastic-apm-synthtrace/src/lib/output/to_elasticsearch_output.ts", - "deprecated": false, - "children": [ + "returnComment": [], + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.apmEventsToElasticsearchOutput.$1", + "type": "Object", + "tags": [], + "label": "__0", + "description": [], + "signature": [ + "{ events: ", + "ApmFields", + "[]; writeTargets: ", + "ApmElasticsearchOutputWriteTargets", + "; }" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/utils/apm_events_to_elasticsearch_output.ts", + "deprecated": false + } + ] + }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.toElasticsearchOutput.$1", - "type": "Object", + "id": "def-server.apm.getBreakdownMetrics", + "type": "Function", "tags": [], - "label": "{\n events,\n writeTargets,\n}", + "label": "getBreakdownMetrics", "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/output/to_elasticsearch_output.ts", + "signature": [ + "(events: ", + "ApmFields", + "[]) => ", + "ApmFields", + "[]" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", "deprecated": false, + "returnComment": [], "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.toElasticsearchOutput.$1.events", + "id": "def-server.apm.getBreakdownMetrics.$1", "type": "Array", "tags": [], "label": "events", "description": [], "signature": [ - "Fields", + "ApmFields", "[]" ], - "path": "packages/elastic-apm-synthtrace/src/lib/output/to_elasticsearch_output.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/utils/get_breakdown_metrics.ts", "deprecated": false - }, + } + ] + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.getApmWriteTargets", + "type": "Function", + "tags": [], + "label": "getApmWriteTargets", + "description": [], + "signature": [ + "({ client, }: { client: ", + "default", + "; }) => Promise<", + "ApmElasticsearchOutputWriteTargets", + ">" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.toElasticsearchOutput.$1.writeTargets", + "id": "def-server.apm.getApmWriteTargets.$1", "type": "Object", "tags": [], - "label": "writeTargets", + "label": "__0", "description": [], "signature": [ - "ElasticsearchOutputWriteTargets" + "{ client: ", + "default", + "; }" ], - "path": "packages/elastic-apm-synthtrace/src/lib/output/to_elasticsearch_output.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/apm/utils/get_apm_write_targets.ts", "deprecated": false } ] + }, + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.apm.ApmSynthtraceEsClient", + "type": "Object", + "tags": [], + "label": "ApmSynthtraceEsClient", + "description": [], + "signature": [ + "typeof ", + { + "pluginId": "@elastic/apm-synthtrace", + "scope": "server", + "docId": "kibElasticApmSynthtracePluginApi", + "section": "def-server.ApmSynthtraceEsClient", + "text": "ApmSynthtraceEsClient" + } + ], + "path": "packages/elastic-apm-synthtrace/src/lib/apm/index.ts", + "deprecated": false } ], - "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [ + }, { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.Exception", - "type": "Interface", + "id": "def-server.stackMonitoring", + "type": "Object", "tags": [], - "label": "Exception", + "label": "stackMonitoring", "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/entity.ts", + "path": "packages/elastic-apm-synthtrace/src/lib/stack_monitoring/index.ts", "deprecated": false, "children": [ { "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.Exception.message", - "type": "string", + "id": "def-server.stackMonitoring.cluster", + "type": "Function", "tags": [], - "label": "message", + "label": "cluster", "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/entity.ts", - "deprecated": false + "signature": [ + "(name: string) => ", + "Cluster" + ], + "path": "packages/elastic-apm-synthtrace/src/lib/stack_monitoring/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@elastic/apm-synthtrace", + "id": "def-server.stackMonitoring.cluster.$1", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "path": "packages/elastic-apm-synthtrace/src/lib/stack_monitoring/cluster.ts", + "deprecated": false + } + ] } ], "initialIsOpen": false } - ], - "enums": [ - { - "parentPluginId": "@elastic/apm-synthtrace", - "id": "def-server.LogLevel", - "type": "Enum", - "tags": [], - "label": "LogLevel", - "description": [], - "path": "packages/elastic-apm-synthtrace/src/lib/utils/create_logger.ts", - "deprecated": false, - "initialIsOpen": false - } - ], - "misc": [], - "objects": [] + ] }, "common": { "classes": [], diff --git a/api_docs/elastic_apm_synthtrace.mdx b/api_docs/elastic_apm_synthtrace.mdx index 6b9b560494e26e..8c17d89db41d44 100644 --- a/api_docs/elastic_apm_synthtrace.mdx +++ b/api_docs/elastic_apm_synthtrace.mdx @@ -16,12 +16,15 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 43 | 0 | 43 | 6 | +| 47 | 0 | 47 | 7 | ## Server +### Objects + + ### Functions diff --git a/api_docs/elastic_datemath.json b/api_docs/elastic_datemath.json index 44dcf5f5257d83..166f816481b33c 100644 --- a/api_docs/elastic_datemath.json +++ b/api_docs/elastic_datemath.json @@ -105,7 +105,7 @@ "label": "Unit", "description": [], "signature": [ - "\"ms\" | \"s\" | \"m\" | \"h\" | \"d\" | \"w\" | \"M\" | \"y\"" + "\"y\" | \"M\" | \"w\" | \"d\" | \"h\" | \"m\" | \"s\" | \"ms\"" ], "path": "packages/elastic-datemath/src/index.ts", "deprecated": false, @@ -119,7 +119,13 @@ "label": "units", "description": [], "signature": [ - "Unit", + { + "pluginId": "@elastic/datemath", + "scope": "server", + "docId": "kibElasticDatemathPluginApi", + "section": "def-server.Unit", + "text": "Unit" + }, "[]" ], "path": "packages/elastic-datemath/src/index.ts", @@ -134,7 +140,13 @@ "label": "unitsAsc", "description": [], "signature": [ - "Unit", + { + "pluginId": "@elastic/datemath", + "scope": "server", + "docId": "kibElasticDatemathPluginApi", + "section": "def-server.Unit", + "text": "Unit" + }, "[]" ], "path": "packages/elastic-datemath/src/index.ts", @@ -149,7 +161,13 @@ "label": "unitsDesc", "description": [], "signature": [ - "Unit", + { + "pluginId": "@elastic/datemath", + "scope": "server", + "docId": "kibElasticDatemathPluginApi", + "section": "def-server.Unit", + "text": "Unit" + }, "[]" ], "path": "packages/elastic-datemath/src/index.ts", @@ -164,7 +182,7 @@ "label": "UnitsMap", "description": [], "signature": [ - "{ ms: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; s: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; m: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; h: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; d: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; w: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; M: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; y: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; }" + "{ y: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; M: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; w: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; d: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; h: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; m: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; s: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; ms: { weight: number; type: \"calendar\" | \"fixed\" | \"mixed\"; base: number; }; }" ], "path": "packages/elastic-datemath/src/index.ts", "deprecated": false, diff --git a/api_docs/elastic_datemath.mdx b/api_docs/elastic_datemath.mdx index eb7c18e47b9eaf..0a6589a5bbed07 100644 --- a/api_docs/elastic_datemath.mdx +++ b/api_docs/elastic_datemath.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 44 | 0 | 43 | 0 | diff --git a/api_docs/embeddable.json b/api_docs/embeddable.json index 6852779989c7ac..25df74bf737eb1 100644 --- a/api_docs/embeddable.json +++ b/api_docs/embeddable.json @@ -268,13 +268,7 @@ "description": [], "signature": [ "((appName: string, type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", ", eventNames: string | string[], count?: number | undefined) => void) | undefined" ], "path": "src/plugins/embeddable/public/lib/panel/panel_header/panel_actions/add_panel/add_panel_action.ts", @@ -422,7 +416,7 @@ "section": "def-public.AttributeService", "text": "AttributeService" }, - "" + "" ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -462,7 +456,7 @@ "label": "showSaveModal", "description": [], "signature": [ - "(saveModal: React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)>, I18nContext: ({ children }: { children: React.ReactNode; }) => JSX.Element) => void" + "(saveModal: React.ReactElement>, I18nContext: ({ children }: { children: React.ReactNode; }) => JSX.Element) => void" ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -490,15 +484,13 @@ "label": "toasts", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "public", "docId": "kibCorePluginApi", - "section": "def-public.ToastsApi", - "text": "ToastsApi" - }, - ", \"add\" | \"get$\" | \"remove\" | \"addSuccess\" | \"addWarning\" | \"addDanger\" | \"addError\" | \"addInfo\">" + "section": "def-public.IToasts", + "text": "IToasts" + } ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -513,7 +505,7 @@ "description": [], "signature": [ "AttributeServiceOptions", - "" + "" ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -594,7 +586,9 @@ "label": "unwrapAttributes", "description": [], "signature": [ - "(input: ValType | RefType) => Promise" + "(input: ValType | RefType) => Promise<", + "AttributeServiceUnwrapResult", + ">" ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -624,7 +618,7 @@ "label": "wrapAttributes", "description": [], "signature": [ - "(newAttributes: SavedObjectAttributes, useRefType: boolean, input?: ValType | RefType | undefined) => Promise>>" + "(newAttributes: SavedObjectAttributes, useRefType: boolean, input?: ValType | RefType | undefined) => Promise>" ], "path": "src/plugins/embeddable/public/lib/attribute_service/attribute_service.tsx", "deprecated": false, @@ -1920,6 +1914,20 @@ "path": "src/plugins/embeddable/public/lib/actions/edit_panel_action.ts", "deprecated": false, "isRequired": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.EditPanelAction.Unnamed.$4", + "type": "Function", + "tags": [], + "label": "getOriginatingPath", + "description": [], + "signature": [ + "(() => string) | undefined" + ], + "path": "src/plugins/embeddable/public/lib/actions/edit_panel_action.ts", + "deprecated": false, + "isRequired": false } ], "returnComment": [] @@ -2534,48 +2542,48 @@ "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IContainer", - "text": "IContainer" + "section": "def-public.IEmbeddable", + "text": "IEmbeddable" }, - "<{}, ", + "<", { "pluginId": "embeddable", - "scope": "public", + "scope": "common", "docId": "kibEmbeddablePluginApi", - "section": "def-public.ContainerInput", - "text": "ContainerInput" + "section": "def-common.EmbeddableInput", + "text": "EmbeddableInput" }, - "<{}>, ", + ", ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.ContainerOutput", - "text": "ContainerOutput" + "section": "def-public.EmbeddableOutput", + "text": "EmbeddableOutput" }, "> | ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" + "section": "def-public.IContainer", + "text": "IContainer" }, - "<", + "<{}, ", { "pluginId": "embeddable", - "scope": "common", + "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "section": "def-public.ContainerInput", + "text": "ContainerInput" }, - ", ", + "<{}>, ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" + "section": "def-public.ContainerOutput", + "text": "ContainerOutput" }, ">" ], @@ -4246,7 +4254,7 @@ "tags": [], "label": "props", "description": [ - "- {@link EmbeddableRendererProps}" + "- {@link EmbeddableRendererProps }" ], "signature": [ { @@ -5032,13 +5040,7 @@ "text": "NotificationsStart" }, "; SavedObjectFinder: React.ComponentType; showCreateNewMenu?: boolean | undefined; reportUiCounter?: ((appName: string, type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", ", eventNames: string | string[], count?: number | undefined) => void) | undefined; }) => ", { "pluginId": "core", @@ -5319,13 +5321,7 @@ "description": [], "signature": [ "((appName: string, type: ", - { - "pluginId": "@kbn/analytics", - "scope": "common", - "docId": "kibKbnAnalyticsPluginApi", - "section": "def-common.UiCounterMetricType", - "text": "UiCounterMetricType" - }, + "UiCounterMetricType", ", eventNames: string | string[], count?: number | undefined) => void) | undefined" ], "path": "src/plugins/embeddable/public/lib/panel/panel_header/panel_actions/add_panel/open_add_panel_flyout.tsx", @@ -5721,7 +5717,15 @@ "section": "def-public.EmbeddableOutput", "text": "EmbeddableOutput" }, - ">; hideHeader?: boolean | undefined; }>" + ">; hideHeader?: boolean | undefined; containerContext?: ", + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.EmbeddableContainerContext", + "text": "EmbeddableContainerContext" + }, + " | undefined; }>" ], "path": "src/plugins/embeddable/public/lib/containers/embeddable_child_panel.tsx", "deprecated": false, @@ -5758,6 +5762,38 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableContainerContext", + "type": "Interface", + "tags": [], + "label": "EmbeddableContainerContext", + "description": [ + "\nEmbeddable container may provide information about its environment,\nUse it for drilling down data that is static or doesn't have to be reactive,\notherwise prefer passing data with input$" + ], + "path": "src/plugins/embeddable/public/lib/panel/embeddable_panel.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableContainerContext.getCurrentPath", + "type": "Function", + "tags": [], + "label": "getCurrentPath", + "description": [ + "\nCurrent app's path including query and hash starting from {appId}" + ], + "signature": [ + "(() => string) | undefined" + ], + "path": "src/plugins/embeddable/public/lib/panel/embeddable_panel.tsx", + "deprecated": false, + "children": [], + "returnComment": [] + } + ], + "initialIsOpen": false + }, { "parentPluginId": "embeddable", "id": "def-public.EmbeddableContext", @@ -6150,7 +6186,7 @@ "section": "def-public.ContainerOutput", "text": "ContainerOutput" }, - "> | undefined) => Promise | undefined) => Promise<", { "pluginId": "embeddable", "scope": "public", @@ -6158,7 +6194,7 @@ "section": "def-public.ErrorEmbeddable", "text": "ErrorEmbeddable" }, - ">" + " | TEmbeddable>" ], "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", "deprecated": false, @@ -6267,7 +6303,7 @@ "section": "def-public.ContainerOutput", "text": "ContainerOutput" }, - "> | undefined) => Promise | undefined) => Promise<", { "pluginId": "embeddable", "scope": "public", @@ -6275,7 +6311,7 @@ "section": "def-public.ErrorEmbeddable", "text": "ErrorEmbeddable" }, - " | undefined>" + " | TEmbeddable | undefined>" ], "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", "deprecated": false, @@ -7626,48 +7662,48 @@ "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IContainer", - "text": "IContainer" + "section": "def-public.IEmbeddable", + "text": "IEmbeddable" }, - "<{}, ", + "<", { "pluginId": "embeddable", - "scope": "public", + "scope": "common", "docId": "kibEmbeddablePluginApi", - "section": "def-public.ContainerInput", - "text": "ContainerInput" + "section": "def-common.EmbeddableInput", + "text": "EmbeddableInput" }, - "<{}>, ", + ", ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.ContainerOutput", - "text": "ContainerOutput" + "section": "def-public.EmbeddableOutput", + "text": "EmbeddableOutput" }, "> | ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" + "section": "def-public.IContainer", + "text": "IContainer" }, - "<", + "<{}, ", { "pluginId": "embeddable", - "scope": "common", + "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "section": "def-public.ContainerInput", + "text": "ContainerInput" }, - ", ", + "<{}>, ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" + "section": "def-public.ContainerOutput", + "text": "ContainerOutput" }, ">" ], @@ -7686,7 +7722,7 @@ "\nRenders the embeddable at the given node." ], "signature": [ - "(domNode: HTMLElement | Element) => void" + "(domNode: Element | HTMLElement) => void" ], "path": "src/plugins/embeddable/public/lib/embeddables/i_embeddable.ts", "deprecated": false, @@ -7699,7 +7735,7 @@ "label": "domNode", "description": [], "signature": [ - "HTMLElement | Element" + "Element | HTMLElement" ], "path": "src/plugins/embeddable/public/lib/embeddables/i_embeddable.ts", "deprecated": false, @@ -8173,7 +8209,7 @@ "section": "def-common.Datatable", "text": "Datatable" }, - ", \"columns\" | \"rows\">; column: number; row: number; value: any; }[]; timeFieldName?: string | undefined; negate?: boolean | undefined; }" + ", \"rows\" | \"columns\">; column: number; row: number; value: any; }[]; timeFieldName?: string | undefined; negate?: boolean | undefined; }" ], "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false @@ -8314,7 +8350,7 @@ "section": "def-public.EmbeddableFactory", "text": "EmbeddableFactory" }, - ", \"telemetry\" | \"inject\" | \"extract\" | \"migrations\" | \"createFromSavedObject\" | \"isContainerType\" | \"getExplicitInput\" | \"savedObjectMetaData\" | \"canCreateNew\" | \"getDefaultInput\" | \"grouping\" | \"getIconType\" | \"getDescription\">>" + ", \"createFromSavedObject\" | \"isContainerType\" | \"getExplicitInput\" | \"savedObjectMetaData\" | \"canCreateNew\" | \"getDefaultInput\" | \"telemetry\" | \"extract\" | \"inject\" | \"migrations\" | \"grouping\" | \"getIconType\" | \"getDescription\">>" ], "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts", "deprecated": false, @@ -8384,7 +8420,15 @@ "section": "def-public.EmbeddableOutput", "text": "EmbeddableOutput" }, - ">; hideHeader?: boolean | undefined; }>" + ">; hideHeader?: boolean | undefined; containerContext?: ", + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.EmbeddableContainerContext", + "text": "EmbeddableContainerContext" + }, + " | undefined; }>" ], "path": "src/plugins/embeddable/public/plugin.tsx", "deprecated": false, @@ -9056,7 +9100,15 @@ "section": "def-public.EmbeddableOutput", "text": "EmbeddableOutput" }, - ">; hideHeader?: boolean | undefined; }>" + ">; hideHeader?: boolean | undefined; containerContext?: ", + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.EmbeddableContainerContext", + "text": "EmbeddableContainerContext" + }, + " | undefined; }>" ], "path": "src/plugins/embeddable/public/plugin.tsx", "deprecated": false, @@ -9182,9 +9234,9 @@ "section": "def-common.SavedObjectEmbeddableInput", "text": "SavedObjectEmbeddableInput" }, - ">(type: string, options: ", + ", M extends unknown = unknown>(type: string, options: ", "AttributeServiceOptions", - ") => ", + ") => ", { "pluginId": "embeddable", "scope": "public", @@ -9192,7 +9244,7 @@ "section": "def-public.AttributeService", "text": "AttributeService" }, - "" + "" ], "path": "src/plugins/embeddable/public/plugin.tsx", "deprecated": false, @@ -9220,7 +9272,7 @@ "description": [], "signature": [ "AttributeServiceOptions", - "" + "" ], "path": "src/plugins/embeddable/public/plugin.tsx", "deprecated": false, @@ -9542,364 +9594,6 @@ "common": { "classes": [], "functions": [ - { - "parentPluginId": "embeddable", - "id": "def-common.extractBaseEmbeddableInput", - "type": "Function", - "tags": [], - "label": "extractBaseEmbeddableInput", - "description": [], - "signature": [ - "(state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ") => { state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - "; references: ", - "SavedObjectReference", - "[]; }" - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.extractBaseEmbeddableInput.$1", - "type": "CompoundType", - "tags": [], - "label": "state", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.getExtractFunction", - "type": "Function", - "tags": [], - "label": "getExtractFunction", - "description": [], - "signature": [ - "(embeddables: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - }, - ") => (state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ") => { state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - "; references: ", - "SavedObjectReference", - "[]; }" - ], - "path": "src/plugins/embeddable/common/lib/extract.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.getExtractFunction.$1", - "type": "Object", - "tags": [], - "label": "embeddables", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - } - ], - "path": "src/plugins/embeddable/common/lib/extract.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.getInjectFunction", - "type": "Function", - "tags": [], - "label": "getInjectFunction", - "description": [], - "signature": [ - "(embeddables: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - }, - ") => (state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ", references: ", - "SavedObjectReference", - "[]) => ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - } - ], - "path": "src/plugins/embeddable/common/lib/inject.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.getInjectFunction.$1", - "type": "Object", - "tags": [], - "label": "embeddables", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - } - ], - "path": "src/plugins/embeddable/common/lib/inject.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.getMigrateFunction", - "type": "Function", - "tags": [], - "label": "getMigrateFunction", - "description": [], - "signature": [ - "(embeddables: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - }, - ") => ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.MigrateFunction", - "text": "MigrateFunction" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.getMigrateFunction.$1", - "type": "Object", - "tags": [], - "label": "embeddables", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.getTelemetryFunction", - "type": "Function", - "tags": [], - "label": "getTelemetryFunction", - "description": [], - "signature": [ - "(embeddables: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - }, - ") => (state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ", telemetryData?: Record) => Record" - ], - "path": "src/plugins/embeddable/common/lib/telemetry.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.getTelemetryFunction.$1", - "type": "Object", - "tags": [], - "label": "embeddables", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.CommonEmbeddableStartContract", - "text": "CommonEmbeddableStartContract" - } - ], - "path": "src/plugins/embeddable/common/lib/telemetry.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.injectBaseEmbeddableInput", - "type": "Function", - "tags": [], - "label": "injectBaseEmbeddableInput", - "description": [], - "signature": [ - "(state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ", references: ", - "SavedObjectReference", - "[]) => ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.injectBaseEmbeddableInput.$1", - "type": "CompoundType", - "tags": [], - "label": "state", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "embeddable", - "id": "def-common.injectBaseEmbeddableInput.$2", - "type": "Array", - "tags": [], - "label": "references", - "description": [], - "signature": [ - "SavedObjectReference", - "[]" - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "embeddable", "id": "def-common.isSavedObjectEmbeddableInput", @@ -9960,71 +9654,6 @@ ], "returnComment": [], "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.telemetryBaseEmbeddableInput", - "type": "Function", - "tags": [], - "label": "telemetryBaseEmbeddableInput", - "description": [], - "signature": [ - "(state: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ", telemetryData: Record) => Record" - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.telemetryBaseEmbeddableInput.$1", - "type": "CompoundType", - "tags": [], - "label": "state", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "embeddable", - "id": "def-common.telemetryBaseEmbeddableInput.$2", - "type": "Object", - "tags": [], - "label": "telemetryData", - "description": [], - "signature": [ - "Record" - ], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false } ], "interfaces": [ @@ -10315,82 +9944,8 @@ "path": "src/plugins/embeddable/common/types.ts", "deprecated": false, "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.MigrateFunction", - "type": "Type", - "tags": [], - "label": "MigrateFunction", - "description": [], - "signature": [ - "(state: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - ", version: string) => ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate.ts", - "deprecated": false, - "returnComment": [], - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-common.MigrateFunction.$1", - "type": "Object", - "tags": [], - "label": "state", - "description": [], - "signature": [ - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - } - ], - "path": "src/plugins/embeddable/common/lib/migrate.ts", - "deprecated": false - }, - { - "parentPluginId": "embeddable", - "id": "def-common.MigrateFunction.$2", - "type": "string", - "tags": [], - "label": "version", - "description": [], - "path": "src/plugins/embeddable/common/lib/migrate.ts", - "deprecated": false - } - ], - "initialIsOpen": false } ], - "objects": [ - { - "parentPluginId": "embeddable", - "id": "def-common.baseEmbeddableMigrations", - "type": "Object", - "tags": [], - "label": "baseEmbeddableMigrations", - "description": [], - "path": "src/plugins/embeddable/common/lib/migrate_base_input.ts", - "deprecated": false, - "children": [], - "initialIsOpen": false - } - ] + "objects": [] } } \ No newline at end of file diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 9d2fa0fe4b142d..86eb34d5fd6bb4 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 469 | 0 | 393 | 3 | +| 452 | 0 | 374 | 4 | ## Client @@ -59,9 +59,6 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services ## Common -### Objects - - ### Functions diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index cc4881a2d6ecb7..163f75630c3497 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 14 | 0 | 14 | 0 | diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index 45cdba9bec0c6e..de7971afa64230 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -16,7 +16,7 @@ Contact [Platform Security](https://github.com/orgs/elastic/teams/kibana-securit **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 29 | 0 | 27 | 4 | diff --git a/api_docs/enterprise_search.json b/api_docs/enterprise_search.json index 5a35f0358641c8..bbecd0a192402c 100644 --- a/api_docs/enterprise_search.json +++ b/api_docs/enterprise_search.json @@ -22,7 +22,7 @@ "label": "ConfigType", "description": [], "signature": [ - "{ readonly host?: string | undefined; readonly ssl: Readonly<{ certificateAuthorities?: string | string[] | undefined; } & { verificationMode: \"none\" | \"certificate\" | \"full\"; }>; readonly accessCheckTimeout: number; readonly accessCheckTimeoutWarning: number; }" + "{ readonly host?: string | undefined; readonly ssl: Readonly<{ certificateAuthorities?: string | string[] | undefined; } & { verificationMode: \"none\" | \"full\" | \"certificate\"; }>; readonly accessCheckTimeout: number; readonly accessCheckTimeoutWarning: number; }" ], "path": "x-pack/plugins/enterprise_search/server/index.ts", "deprecated": false, @@ -38,62 +38,20 @@ "label": "configSchema", "description": [], "signature": [ - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, + "ObjectType", "<{ host: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "; accessCheckTimeout: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "; accessCheckTimeoutWarning: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "; ssl: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" - }, + "ObjectType", "<{ certificateAuthorities: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, + "Type", "; verificationMode: ", - { - "pluginId": "@kbn/config-schema", - "scope": "server", - "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.Type", - "text": "Type" - }, - "<\"none\" | \"certificate\" | \"full\">; }>; }>" + "Type", + "<\"none\" | \"full\" | \"certificate\">; }>; }>" ], "path": "x-pack/plugins/enterprise_search/server/index.ts", "deprecated": false, diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index dd823394e221cb..6df5b9b8ce4f6b 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -16,7 +16,7 @@ Contact [Enterprise Search](https://github.com/orgs/elastic/teams/enterprise-sea **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 2 | 0 | 2 | 0 | diff --git a/api_docs/es_ui_shared.json b/api_docs/es_ui_shared.json index cd54d907a143ed..3a1d9cad050103 100644 --- a/api_docs/es_ui_shared.json +++ b/api_docs/es_ui_shared.json @@ -853,9 +853,9 @@ "section": "def-public.EuiCodeEditorProps", "text": "EuiCodeEditorProps" }, - " extends Pick,Pick<", + " extends SupportedAriaAttributes,Omit<", "IAceEditorProps", - ", \"name\" | \"onChange\" | \"defaultValue\" | \"className\" | \"placeholder\" | \"style\" | \"onCopy\" | \"onPaste\" | \"onFocus\" | \"onBlur\" | \"onInput\" | \"onLoad\" | \"onScroll\" | \"value\" | \"height\" | \"width\" | \"fontSize\" | \"theme\" | \"showGutter\" | \"showPrintMargin\" | \"highlightActiveLine\" | \"focus\" | \"cursorStart\" | \"wrapEnabled\" | \"readOnly\" | \"minLines\" | \"maxLines\" | \"navigateToFileEnd\" | \"debounceChangePeriod\" | \"enableBasicAutocompletion\" | \"enableLiveAutocompletion\" | \"tabSize\" | \"scrollMargin\" | \"enableSnippets\" | \"onSelectionChange\" | \"onCursorChange\" | \"onValidate\" | \"onBeforeLoad\" | \"onSelection\" | \"editorProps\" | \"setOptions\" | \"keyboardHandler\" | \"commands\" | \"annotations\" | \"markers\">" + ", \"mode\">" ], "path": "src/plugins/es_ui_shared/public/components/code_editor/code_editor.tsx", "deprecated": false, diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index a96265408384f0..8f4893242e2540 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -16,7 +16,7 @@ Contact [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-ma **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 110 | 3 | 106 | 3 | diff --git a/api_docs/event_log.json b/api_docs/event_log.json index 4d5192092dd12e..e89398e3d7bd56 100644 --- a/api_docs/event_log.json +++ b/api_docs/event_log.json @@ -753,7 +753,9 @@ "label": "logEvent", "description": [], "signature": [ - "(properties: DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined) => void" + "(properties: ", + "IEvent", + ") => void" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -766,7 +768,7 @@ "label": "properties", "description": [], "signature": [ - "DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "IEvent" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -783,7 +785,9 @@ "label": "startTiming", "description": [], "signature": [ - "(event: DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined) => void" + "(event: ", + "IEvent", + ") => void" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -796,7 +800,7 @@ "label": "event", "description": [], "signature": [ - "DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "IEvent" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -813,7 +817,9 @@ "label": "stopTiming", "description": [], "signature": [ - "(event: DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined) => void" + "(event: ", + "IEvent", + ") => void" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -826,7 +832,7 @@ "label": "event", "description": [], "signature": [ - "DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "IEvent" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -886,7 +892,7 @@ "label": "data", "description": [], "signature": [ - "(Readonly<{ tags?: string[] | undefined; kibana?: Readonly<{ version?: string | undefined; alert?: Readonly<{ rule?: Readonly<{ execution?: Readonly<{ metrics?: Readonly<{ total_indexing_duration_ms?: number | undefined; total_search_duration_ms?: number | undefined; execution_gap_duration_s?: number | undefined; } & {}> | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}> | undefined)[]" + "(Readonly<{ user?: Readonly<{ name?: string | undefined; } & {}> | undefined; message?: string | undefined; error?: Readonly<{ message?: string | undefined; type?: string | undefined; id?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; tags?: string[] | undefined; kibana?: Readonly<{ alert?: Readonly<{ rule?: Readonly<{ execution?: Readonly<{ status?: string | undefined; metrics?: Readonly<{ total_indexing_duration_ms?: number | undefined; total_search_duration_ms?: number | undefined; execution_gap_duration_s?: number | undefined; } & {}> | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; event?: Readonly<{ start?: string | undefined; type?: string[] | undefined; id?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; action?: string | undefined; kind?: string | undefined; original?: string | undefined; severity?: number | undefined; hash?: string | undefined; provider?: string | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; ingested?: string | undefined; module?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ id?: string | undefined; description?: string | undefined; name?: string | undefined; version?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}> | undefined)[]" ], "path": "x-pack/plugins/event_log/server/es/cluster_client_adapter.ts", "deprecated": false @@ -905,7 +911,7 @@ "label": "IEvent", "description": [], "signature": [ - "DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "DeepPartial | undefined; message?: string | undefined; error?: Readonly<{ message?: string | undefined; type?: string | undefined; id?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; tags?: string[] | undefined; kibana?: Readonly<{ alert?: Readonly<{ rule?: Readonly<{ execution?: Readonly<{ status?: string | undefined; metrics?: Readonly<{ total_indexing_duration_ms?: number | undefined; total_search_duration_ms?: number | undefined; execution_gap_duration_s?: number | undefined; } & {}> | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; event?: Readonly<{ start?: string | undefined; type?: string[] | undefined; id?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; action?: string | undefined; kind?: string | undefined; original?: string | undefined; severity?: number | undefined; hash?: string | undefined; provider?: string | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; ingested?: string | undefined; module?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ id?: string | undefined; description?: string | undefined; name?: string | undefined; version?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" ], "path": "x-pack/plugins/event_log/generated/schemas.ts", "deprecated": false, @@ -919,7 +925,7 @@ "label": "IValidatedEvent", "description": [], "signature": [ - "Readonly<{ tags?: string[] | undefined; kibana?: Readonly<{ version?: string | undefined; alert?: Readonly<{ rule?: Readonly<{ execution?: Readonly<{ metrics?: Readonly<{ total_indexing_duration_ms?: number | undefined; total_search_duration_ms?: number | undefined; execution_gap_duration_s?: number | undefined; } & {}> | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}> | undefined" + "Readonly<{ user?: Readonly<{ name?: string | undefined; } & {}> | undefined; message?: string | undefined; error?: Readonly<{ message?: string | undefined; type?: string | undefined; id?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; tags?: string[] | undefined; kibana?: Readonly<{ alert?: Readonly<{ rule?: Readonly<{ execution?: Readonly<{ status?: string | undefined; metrics?: Readonly<{ total_indexing_duration_ms?: number | undefined; total_search_duration_ms?: number | undefined; execution_gap_duration_s?: number | undefined; } & {}> | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; event?: Readonly<{ start?: string | undefined; type?: string[] | undefined; id?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; action?: string | undefined; kind?: string | undefined; original?: string | undefined; severity?: number | undefined; hash?: string | undefined; provider?: string | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; ingested?: string | undefined; module?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ id?: string | undefined; description?: string | undefined; name?: string | undefined; version?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}> | undefined" ], "path": "x-pack/plugins/event_log/generated/schemas.ts", "deprecated": false, @@ -1138,7 +1144,9 @@ "label": "getLogger", "description": [], "signature": [ - "(properties: DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined) => ", + "(properties: ", + "IEvent", + ") => ", { "pluginId": "eventLog", "scope": "server", @@ -1158,7 +1166,7 @@ "label": "properties", "description": [], "signature": [ - "DeepPartial | undefined; status?: string | undefined; uuid?: string | undefined; status_order?: number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; saved_objects?: Readonly<{ type?: string | undefined; id?: string | undefined; rel?: string | undefined; namespace?: string | undefined; type_id?: string | undefined; } & {}>[] | undefined; alerting?: Readonly<{ status?: string | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; server_uuid?: string | undefined; task?: Readonly<{ scheduled?: string | undefined; schedule_delay?: number | undefined; } & {}> | undefined; space_ids?: string[] | undefined; } & {}> | undefined; user?: Readonly<{ name?: string | undefined; } & {}> | undefined; error?: Readonly<{ type?: string | undefined; id?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; message?: string | undefined; event?: Readonly<{ type?: string[] | undefined; id?: string | undefined; start?: string | undefined; end?: string | undefined; category?: string[] | undefined; outcome?: string | undefined; url?: string | undefined; code?: string | undefined; original?: string | undefined; action?: string | undefined; kind?: string | undefined; severity?: number | undefined; created?: string | undefined; dataset?: string | undefined; duration?: number | undefined; hash?: string | undefined; ingested?: string | undefined; module?: string | undefined; provider?: string | undefined; reason?: string | undefined; reference?: string | undefined; risk_score?: number | undefined; risk_score_norm?: number | undefined; sequence?: number | undefined; timezone?: string | undefined; } & {}> | undefined; rule?: Readonly<{ name?: string | undefined; version?: string | undefined; description?: string | undefined; id?: string | undefined; license?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; uuid?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "IEvent" ], "path": "x-pack/plugins/event_log/server/types.ts", "deprecated": false, @@ -1181,6 +1189,21 @@ "deprecated": false, "children": [], "returnComment": [] + }, + { + "parentPluginId": "eventLog", + "id": "def-server.IEventLogService.isEsContextReady", + "type": "Function", + "tags": [], + "label": "isEsContextReady", + "description": [], + "signature": [ + "() => Promise" + ], + "path": "x-pack/plugins/event_log/server/types.ts", + "deprecated": false, + "children": [], + "returnComment": [] } ], "lifecycle": "setup", diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index 8be153435a7034..e3ecf2ad811900 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -16,9 +16,9 @@ Contact [Kibana Alerting](https://github.com/orgs/elastic/teams/kibana-alerting- **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 81 | 0 | 81 | 4 | +| 82 | 0 | 82 | 5 | ## Server diff --git a/api_docs/expression_error.json b/api_docs/expression_error.json index 8f7dc65eb6e6d5..9310640106a05d 100644 --- a/api_docs/expression_error.json +++ b/api_docs/expression_error.json @@ -5,13 +5,21 @@ "functions": [ { "parentPluginId": "expressionError", - "id": "def-public.debugRenderer", + "id": "def-public.debugRendererFactory", "type": "Function", "tags": [], - "label": "debugRenderer", + "label": "debugRendererFactory", "description": [], "signature": [ - "() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -23,19 +31,49 @@ ], "path": "src/plugins/expression_error/public/expression_renderers/debug_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionError", + "id": "def-public.debugRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_error/public/expression_renderers/debug_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "expressionError", - "id": "def-public.errorRenderer", + "id": "def-public.errorRendererFactory", "type": "Function", "tags": [], - "label": "errorRenderer", + "label": "errorRendererFactory", "description": [], "signature": [ - "() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -49,7 +87,147 @@ ], "path": "src/plugins/expression_error/public/expression_renderers/error_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionError", + "id": "def-public.errorRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_error/public/expression_renderers/error_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionError", + "id": "def-public.getDebugRenderer", + "type": "Function", + "tags": [], + "label": "getDebugRenderer", + "description": [], + "signature": [ + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionRenderDefinition", + "text": "ExpressionRenderDefinition" + }, + "" + ], + "path": "src/plugins/expression_error/public/expression_renderers/debug_renderer.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionError", + "id": "def-public.getDebugRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_error/public/expression_renderers/debug_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionError", + "id": "def-public.getErrorRenderer", + "type": "Function", + "tags": [], + "label": "getErrorRenderer", + "description": [], + "signature": [ + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionRenderDefinition", + "text": "ExpressionRenderDefinition" + }, + "<", + "ErrorRendererConfig", + ">" + ], + "path": "src/plugins/expression_error/public/expression_renderers/error_renderer.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionError", + "id": "def-public.getErrorRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_error/public/expression_renderers/error_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false }, @@ -91,9 +269,9 @@ "label": "LazyErrorComponent", "description": [], "signature": [ - "React.ExoticComponent> & { readonly _result: React.FC<", + " & { children?: React.ReactNode; }> & { readonly _result: React.FC<", "Props", ">; }" ], @@ -120,32 +298,7 @@ ], "interfaces": [], "enums": [], - "misc": [ - { - "parentPluginId": "expressionError", - "id": "def-public.renderers", - "type": "Array", - "tags": [], - "label": "renderers", - "description": [], - "signature": [ - "(() => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionRenderDefinition", - "text": "ExpressionRenderDefinition" - }, - "<", - "ErrorRendererConfig", - ">)[]" - ], - "path": "src/plugins/expression_error/public/expression_renderers/index.ts", - "deprecated": false, - "initialIsOpen": false - } - ], + "misc": [], "objects": [], "start": { "parentPluginId": "expressionError", diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index dd67f48e030259..b8d2942cfd9899 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 12 | 0 | 12 | 2 | +| 17 | 0 | 17 | 2 | ## Client @@ -28,9 +28,6 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese ### Functions -### Consts, variables and types - - ## Common ### Consts, variables and types diff --git a/api_docs/expression_gauge.json b/api_docs/expression_gauge.json new file mode 100644 index 00000000000000..f9a6e27d13844b --- /dev/null +++ b/api_docs/expression_gauge.json @@ -0,0 +1,1108 @@ +{ + "id": "expressionGauge", + "client": { + "classes": [], + "functions": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.GaugeIconHorizontal", + "type": "Function", + "tags": [], + "label": "GaugeIconHorizontal", + "description": [], + "signature": [ + "({ title, titleId, ...props }: Omit<", + "EuiIconProps", + ", \"type\">) => JSX.Element" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/gauge_icon.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.GaugeIconHorizontal.$1", + "type": "Object", + "tags": [], + "label": "{ title, titleId, ...props }", + "description": [], + "signature": [ + "Omit<", + "EuiIconProps", + ", \"type\">" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/gauge_icon.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.GaugeIconVertical", + "type": "Function", + "tags": [], + "label": "GaugeIconVertical", + "description": [], + "signature": [ + "({ title, titleId, ...props }: Omit<", + "EuiIconProps", + ", \"type\">) => JSX.Element" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/gauge_icon.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.GaugeIconVertical.$1", + "type": "Object", + "tags": [], + "label": "{ title, titleId, ...props }", + "description": [], + "signature": [ + "Omit<", + "EuiIconProps", + ", \"type\">" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/gauge_icon.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getGoalValue", + "type": "Function", + "tags": [], + "label": "getGoalValue", + "description": [], + "signature": [ + "(row?: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined, state?: GaugeAccessorsType | undefined) => any" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.getGoalValue.$1", + "type": "Object", + "tags": [], + "label": "row", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getGoalValue.$2", + "type": "Object", + "tags": [], + "label": "state", + "description": [], + "signature": [ + "GaugeAccessorsType | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMaxValue", + "type": "Function", + "tags": [], + "label": "getMaxValue", + "description": [], + "signature": [ + "(row?: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined, state?: GaugeAccessorsType | undefined) => number" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMaxValue.$1", + "type": "Object", + "tags": [], + "label": "row", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMaxValue.$2", + "type": "Object", + "tags": [], + "label": "state", + "description": [], + "signature": [ + "GaugeAccessorsType | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMinValue", + "type": "Function", + "tags": [], + "label": "getMinValue", + "description": [], + "signature": [ + "(row?: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined, state?: GaugeAccessorsType | undefined) => any" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMinValue.$1", + "type": "Object", + "tags": [], + "label": "row", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getMinValue.$2", + "type": "Object", + "tags": [], + "label": "state", + "description": [], + "signature": [ + "GaugeAccessorsType | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getValueFromAccessor", + "type": "Function", + "tags": [], + "label": "getValueFromAccessor", + "description": [], + "signature": [ + "(accessorName: GaugeAccessors, row?: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined, state?: GaugeAccessorsType | undefined) => any" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-public.getValueFromAccessor.$1", + "type": "CompoundType", + "tags": [], + "label": "accessorName", + "description": [], + "signature": [ + "GaugeAccessors" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getValueFromAccessor.$2", + "type": "Object", + "tags": [], + "label": "row", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-public.getValueFromAccessor.$3", + "type": "Object", + "tags": [], + "label": "state", + "description": [], + "signature": [ + "GaugeAccessorsType | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/public/components/utils.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "server": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "common": { + "classes": [], + "functions": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.gaugeFunction", + "type": "Function", + "tags": [], + "label": "gaugeFunction", + "description": [], + "signature": [ + "() => ", + "GaugeExpressionFunctionDefinition" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/expression_functions/gauge_function.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.ColorStop", + "type": "Interface", + "tags": [], + "label": "ColorStop", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.ColorStop.color", + "type": "string", + "tags": [], + "label": "color", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.ColorStop.stop", + "type": "number", + "tags": [], + "label": "stop", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams", + "type": "Interface", + "tags": [], + "label": "CustomPaletteParams", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.reverse", + "type": "CompoundType", + "tags": [], + "label": "reverse", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.rangeType", + "type": "CompoundType", + "tags": [], + "label": "rangeType", + "description": [], + "signature": [ + "\"number\" | \"percent\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.continuity", + "type": "CompoundType", + "tags": [], + "label": "continuity", + "description": [], + "signature": [ + "\"above\" | \"below\" | \"all\" | \"none\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.progression", + "type": "string", + "tags": [], + "label": "progression", + "description": [], + "signature": [ + "\"fixed\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.rangeMin", + "type": "number", + "tags": [], + "label": "rangeMin", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.rangeMax", + "type": "number", + "tags": [], + "label": "rangeMax", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.stops", + "type": "Array", + "tags": [], + "label": "stops", + "description": [], + "signature": [ + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[] | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.colorStops", + "type": "Array", + "tags": [], + "label": "colorStops", + "description": [], + "signature": [ + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[] | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.CustomPaletteParams.steps", + "type": "number", + "tags": [], + "label": "steps", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeExpressionProps", + "type": "Interface", + "tags": [], + "label": "GaugeExpressionProps", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeExpressionProps.data", + "type": "Object", + "tags": [], + "label": "data", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + } + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeExpressionProps.args", + "type": "CompoundType", + "tags": [], + "label": "args", + "description": [], + "signature": [ + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.GaugeState", + "text": "GaugeState" + }, + " & { shape: \"horizontalBullet\" | \"verticalBullet\"; colorMode: \"palette\" | \"none\"; palette?: ", + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.PaletteOutput", + "text": "PaletteOutput" + }, + "<", + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.CustomPaletteState", + "text": "CustomPaletteState" + }, + "> | undefined; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState", + "type": "Interface", + "tags": [], + "label": "GaugeState", + "description": [], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.metricAccessor", + "type": "string", + "tags": [], + "label": "metricAccessor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.minAccessor", + "type": "string", + "tags": [], + "label": "minAccessor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.maxAccessor", + "type": "string", + "tags": [], + "label": "maxAccessor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.goalAccessor", + "type": "string", + "tags": [], + "label": "goalAccessor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.ticksPosition", + "type": "CompoundType", + "tags": [], + "label": "ticksPosition", + "description": [], + "signature": [ + "\"auto\" | \"bands\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.labelMajorMode", + "type": "CompoundType", + "tags": [], + "label": "labelMajorMode", + "description": [], + "signature": [ + "\"none\" | \"custom\" | \"auto\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.labelMajor", + "type": "string", + "tags": [], + "label": "labelMajor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.labelMinor", + "type": "string", + "tags": [], + "label": "labelMinor", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.colorMode", + "type": "CompoundType", + "tags": [], + "label": "colorMode", + "description": [], + "signature": [ + "\"palette\" | \"none\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.palette", + "type": "Object", + "tags": [], + "label": "palette", + "description": [], + "signature": [ + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.PaletteOutput", + "text": "PaletteOutput" + }, + "<", + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.CustomPaletteParams", + "text": "CustomPaletteParams" + }, + "> | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeState.shape", + "type": "CompoundType", + "tags": [], + "label": "shape", + "description": [], + "signature": [ + "\"horizontalBullet\" | \"verticalBullet\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false + } + ], + "initialIsOpen": false + } + ], + "enums": [], + "misc": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.EXPRESSION_GAUGE_NAME", + "type": "string", + "tags": [], + "label": "EXPRESSION_GAUGE_NAME", + "description": [], + "signature": [ + "\"gauge\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.FormatFactory", + "type": "Type", + "tags": [], + "label": "FormatFactory", + "description": [], + "signature": [ + "(mapping?: ", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.SerializedFieldFormat", + "text": "SerializedFieldFormat" + }, + "<", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormatParams", + "text": "FieldFormatParams" + }, + "> | undefined) => ", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormat", + "text": "FieldFormat" + } + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.FormatFactory.$1", + "type": "Object", + "tags": [], + "label": "mapping", + "description": [], + "signature": [ + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.SerializedFieldFormat", + "text": "SerializedFieldFormat" + }, + "<", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormatParams", + "text": "FieldFormatParams" + }, + "> | undefined" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeArguments", + "type": "Type", + "tags": [], + "label": "GaugeArguments", + "description": [], + "signature": [ + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.GaugeState", + "text": "GaugeState" + }, + " & { shape: \"horizontalBullet\" | \"verticalBullet\"; colorMode: \"palette\" | \"none\"; palette?: ", + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.PaletteOutput", + "text": "PaletteOutput" + }, + "<", + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.CustomPaletteState", + "text": "CustomPaletteState" + }, + "> | undefined; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeLabelMajorMode", + "type": "Type", + "tags": [], + "label": "GaugeLabelMajorMode", + "description": [], + "signature": [ + "\"none\" | \"custom\" | \"auto\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeRenderProps", + "type": "Type", + "tags": [], + "label": "GaugeRenderProps", + "description": [], + "signature": [ + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.GaugeExpressionProps", + "text": "GaugeExpressionProps" + }, + " & { formatFactory: ", + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.FormatFactory", + "text": "FormatFactory" + }, + "; chartsThemeService: ", + "Theme", + "; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeShape", + "type": "Type", + "tags": [], + "label": "GaugeShape", + "description": [], + "signature": [ + "\"horizontalBullet\" | \"verticalBullet\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeTicksPosition", + "type": "Type", + "tags": [], + "label": "GaugeTicksPosition", + "description": [], + "signature": [ + "\"auto\" | \"bands\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.PLUGIN_ID", + "type": "string", + "tags": [], + "label": "PLUGIN_ID", + "description": [], + "signature": [ + "\"expressionGauge\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/index.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.PLUGIN_NAME", + "type": "string", + "tags": [], + "label": "PLUGIN_NAME", + "description": [], + "signature": [ + "\"expressionGauge\"" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/index.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.RequiredPaletteParamTypes", + "type": "Type", + "tags": [], + "label": "RequiredPaletteParamTypes", + "description": [], + "signature": [ + "{ name: string; reverse: boolean; rangeType: \"number\" | \"percent\"; continuity: \"above\" | \"below\" | \"all\" | \"none\"; progression: \"fixed\"; rangeMin: number; rangeMax: number; stops: ", + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[]; colorStops: ", + { + "pluginId": "expressionGauge", + "scope": "common", + "docId": "kibExpressionGaugePluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[]; steps: number; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/types/expression_renderers.ts", + "deprecated": false, + "initialIsOpen": false + } + ], + "objects": [ + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeColorModes", + "type": "Object", + "tags": [], + "label": "GaugeColorModes", + "description": [], + "signature": [ + "{ readonly palette: \"palette\"; readonly none: \"none\"; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeLabelMajorModes", + "type": "Object", + "tags": [], + "label": "GaugeLabelMajorModes", + "description": [], + "signature": [ + "{ readonly auto: \"auto\"; readonly custom: \"custom\"; readonly none: \"none\"; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeShapes", + "type": "Object", + "tags": [], + "label": "GaugeShapes", + "description": [], + "signature": [ + "{ readonly horizontalBullet: \"horizontalBullet\"; readonly verticalBullet: \"verticalBullet\"; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionGauge", + "id": "def-common.GaugeTicksPositions", + "type": "Object", + "tags": [], + "label": "GaugeTicksPositions", + "description": [], + "signature": [ + "{ readonly auto: \"auto\"; readonly bands: \"bands\"; }" + ], + "path": "src/plugins/chart_expressions/expression_gauge/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + } + ] + } +} \ No newline at end of file diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx new file mode 100644 index 00000000000000..0f977ccddb109f --- /dev/null +++ b/api_docs/expression_gauge.mdx @@ -0,0 +1,41 @@ +--- +id: kibExpressionGaugePluginApi +slug: /kibana-dev-docs/api/expressionGauge +title: "expressionGauge" +image: https://source.unsplash.com/400x175/?github +summary: API docs for the expressionGauge plugin +date: 2020-11-16 +tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] +warning: This document is auto-generated and is meant to be viewed inside our experimental, new docs system. Reach out in #docs-engineering for more info. +--- +import expressionGaugeObj from './expression_gauge.json'; + +Expression Gauge plugin adds a `gauge` renderer and function to the expression plugin. The renderer will display the `gauge` chart. + +Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) for questions regarding this plugin. + +**Code health stats** + +| Public API count | Any count | Items lacking comments | Missing exports | +|-------------------|-----------|------------------------|-----------------| +| 62 | 0 | 62 | 1 | + +## Client + +### Functions + + +## Common + +### Objects + + +### Functions + + +### Interfaces + + +### Consts, variables and types + + diff --git a/api_docs/expression_heatmap.json b/api_docs/expression_heatmap.json new file mode 100644 index 00000000000000..96aa0754d98029 --- /dev/null +++ b/api_docs/expression_heatmap.json @@ -0,0 +1,1713 @@ +{ + "id": "expressionHeatmap", + "client": { + "classes": [], + "functions": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-public.HeatmapIcon", + "type": "Function", + "tags": [], + "label": "HeatmapIcon", + "description": [], + "signature": [ + "({ title, titleId, ...props }: Omit<", + "EuiIconProps", + ", \"type\">) => JSX.Element" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/public/components/heatmap_icon.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-public.HeatmapIcon.$1", + "type": "Object", + "tags": [], + "label": "{ title, titleId, ...props }", + "description": [], + "signature": [ + "Omit<", + "EuiIconProps", + ", \"type\">" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/public/components/heatmap_icon.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "server": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "common": { + "classes": [], + "functions": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapFunction", + "type": "Function", + "tags": [], + "label": "heatmapFunction", + "description": [], + "signature": [ + "() => ", + "HeatmapExpressionFunctionDefinition" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_function.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.BrushEvent", + "type": "Interface", + "tags": [], + "label": "BrushEvent", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.BrushEvent.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "\"brush\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.BrushEvent.data", + "type": "Object", + "tags": [], + "label": "data", + "description": [], + "signature": [ + "{ table: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + }, + "; column: number; range: number[]; timeFieldName?: string | undefined; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.ColorStop", + "type": "Interface", + "tags": [], + "label": "ColorStop", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.ColorStop.color", + "type": "string", + "tags": [], + "label": "color", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.ColorStop.stop", + "type": "number", + "tags": [], + "label": "stop", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams", + "type": "Interface", + "tags": [], + "label": "CustomPaletteParams", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.reverse", + "type": "CompoundType", + "tags": [], + "label": "reverse", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.rangeType", + "type": "CompoundType", + "tags": [], + "label": "rangeType", + "description": [], + "signature": [ + "\"number\" | \"percent\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.continuity", + "type": "CompoundType", + "tags": [], + "label": "continuity", + "description": [], + "signature": [ + "\"above\" | \"below\" | \"all\" | \"none\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.progression", + "type": "string", + "tags": [], + "label": "progression", + "description": [], + "signature": [ + "\"fixed\" | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.rangeMin", + "type": "number", + "tags": [], + "label": "rangeMin", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.rangeMax", + "type": "number", + "tags": [], + "label": "rangeMax", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.stops", + "type": "Array", + "tags": [], + "label": "stops", + "description": [], + "signature": [ + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[] | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.colorStops", + "type": "Array", + "tags": [], + "label": "colorStops", + "description": [], + "signature": [ + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[] | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.CustomPaletteParams.steps", + "type": "number", + "tags": [], + "label": "steps", + "description": [], + "signature": [ + "number | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.FilterEvent", + "type": "Interface", + "tags": [], + "label": "FilterEvent", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.FilterEvent.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "\"filter\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.FilterEvent.data", + "type": "Object", + "tags": [], + "label": "data", + "description": [], + "signature": [ + "{ data: { table: Pick<", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + }, + ", \"rows\" | \"columns\">; column: number; row: number; value: any; }[]; timeFieldName?: string | undefined; negate?: boolean | undefined; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments", + "type": "Interface", + "tags": [], + "label": "HeatmapArguments", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.percentageMode", + "type": "CompoundType", + "tags": [], + "label": "percentageMode", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.lastRangeIsRightOpen", + "type": "CompoundType", + "tags": [], + "label": "lastRangeIsRightOpen", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.showTooltip", + "type": "CompoundType", + "tags": [], + "label": "showTooltip", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.highlightInHover", + "type": "CompoundType", + "tags": [], + "label": "highlightInHover", + "description": [], + "signature": [ + "boolean | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.palette", + "type": "Object", + "tags": [], + "label": "palette", + "description": [], + "signature": [ + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.PaletteOutput", + "text": "PaletteOutput" + }, + "<", + { + "pluginId": "charts", + "scope": "common", + "docId": "kibChartsPluginApi", + "section": "def-common.CustomPaletteState", + "text": "CustomPaletteState" + }, + "> | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.xAccessor", + "type": "CompoundType", + "tags": [], + "label": "xAccessor", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "visualizations", + "scope": "common", + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.yAccessor", + "type": "CompoundType", + "tags": [], + "label": "yAccessor", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "visualizations", + "scope": "common", + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.valueAccessor", + "type": "CompoundType", + "tags": [], + "label": "valueAccessor", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "visualizations", + "scope": "common", + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.splitRowAccessor", + "type": "CompoundType", + "tags": [], + "label": "splitRowAccessor", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "visualizations", + "scope": "common", + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.splitColumnAccessor", + "type": "CompoundType", + "tags": [], + "label": "splitColumnAccessor", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "visualizations", + "scope": "common", + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" + }, + " | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.legend", + "type": "CompoundType", + "tags": [], + "label": "legend", + "description": [], + "signature": [ + "HeatmapLegendConfig", + " & { type: \"heatmap_legend\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapArguments.gridConfig", + "type": "CompoundType", + "tags": [], + "label": "gridConfig", + "description": [], + "signature": [ + "HeatmapGridConfig", + " & { type: \"heatmap_grid\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapExpressionProps", + "type": "Interface", + "tags": [], + "label": "HeatmapExpressionProps", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapExpressionProps.data", + "type": "Object", + "tags": [], + "label": "data", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + } + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapExpressionProps.args", + "type": "Object", + "tags": [], + "label": "args", + "description": [], + "signature": [ + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.HeatmapArguments", + "text": "HeatmapArguments" + } + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false + } + ], + "initialIsOpen": false + } + ], + "enums": [], + "misc": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.EXPRESSION_HEATMAP_NAME", + "type": "string", + "tags": [], + "label": "EXPRESSION_HEATMAP_NAME", + "description": [], + "signature": [ + "\"heatmap\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/constants.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.FormatFactory", + "type": "Type", + "tags": [], + "label": "FormatFactory", + "description": [], + "signature": [ + "(mapping?: ", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.SerializedFieldFormat", + "text": "SerializedFieldFormat" + }, + "<", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormatParams", + "text": "FieldFormatParams" + }, + "> | undefined) => ", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormat", + "text": "FieldFormat" + } + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.FormatFactory.$1", + "type": "Object", + "tags": [], + "label": "mapping", + "description": [], + "signature": [ + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.SerializedFieldFormat", + "text": "SerializedFieldFormat" + }, + "<", + { + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FieldFormatParams", + "text": "FieldFormatParams" + }, + "> | undefined" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapGridConfigResult", + "type": "Type", + "tags": [], + "label": "HeatmapGridConfigResult", + "description": [], + "signature": [ + "HeatmapGridConfig", + " & { type: \"heatmap_grid\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapLegendConfigResult", + "type": "Type", + "tags": [], + "label": "HeatmapLegendConfigResult", + "description": [], + "signature": [ + "HeatmapLegendConfig", + " & { type: \"heatmap_legend\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_functions.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.HeatmapRenderProps", + "type": "Type", + "tags": [], + "label": "HeatmapRenderProps", + "description": [], + "signature": [ + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.HeatmapExpressionProps", + "text": "HeatmapExpressionProps" + }, + " & { timeZone?: string | undefined; formatFactory: ", + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.FormatFactory", + "text": "FormatFactory" + }, + "; chartsThemeService: ", + "Theme", + "; onClickValue: (data: { data: { table: Pick<", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + }, + ", \"rows\" | \"columns\">; column: number; row: number; value: any; }[]; timeFieldName?: string | undefined; negate?: boolean | undefined; }) => void; onSelectRange: (data: { table: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Datatable", + "text": "Datatable" + }, + "; column: number; range: number[]; timeFieldName?: string | undefined; }) => void; paletteService: ", + { + "pluginId": "charts", + "scope": "public", + "docId": "kibChartsPluginApi", + "section": "def-public.PaletteRegistry", + "text": "PaletteRegistry" + }, + "; uiState: ", + { + "pluginId": "visualizations", + "scope": "public", + "docId": "kibVisualizationsPluginApi", + "section": "def-public.PersistedState", + "text": "PersistedState" + }, + "; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.PLUGIN_ID", + "type": "string", + "tags": [], + "label": "PLUGIN_ID", + "description": [], + "signature": [ + "\"expressionHeatmap\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/index.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.PLUGIN_NAME", + "type": "string", + "tags": [], + "label": "PLUGIN_NAME", + "description": [], + "signature": [ + "\"expressionHeatmap\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/index.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.RequiredPaletteParamTypes", + "type": "Type", + "tags": [], + "label": "RequiredPaletteParamTypes", + "description": [], + "signature": [ + "{ name: string; reverse: boolean; rangeType: \"number\" | \"percent\"; continuity: \"above\" | \"below\" | \"all\" | \"none\"; progression: \"fixed\"; rangeMin: number; rangeMax: number; stops: ", + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[]; colorStops: ", + { + "pluginId": "expressionHeatmap", + "scope": "common", + "docId": "kibExpressionHeatmapPluginApi", + "section": "def-common.ColorStop", + "text": "ColorStop" + }, + "[]; steps: number; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/types/expression_renderers.ts", + "deprecated": false, + "initialIsOpen": false + } + ], + "objects": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig", + "type": "Object", + "tags": [], + "label": "heatmapGridConfig", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "\"heatmap_grid\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.aliases", + "type": "Array", + "tags": [], + "label": "aliases", + "description": [], + "signature": [ + "never[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"heatmap_grid\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.inputTypes", + "type": "Array", + "tags": [], + "label": "inputTypes", + "description": [], + "signature": [ + "\"null\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args", + "type": "Object", + "tags": [], + "label": "args", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeWidth", + "type": "Object", + "tags": [], + "label": "strokeWidth", + "description": [ + "// grid" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeWidth.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"number\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeWidth.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeWidth.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeColor", + "type": "Object", + "tags": [], + "label": "strokeColor", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeColor.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"string\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeColor.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.strokeColor.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellHeight", + "type": "Object", + "tags": [], + "label": "cellHeight", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellHeight.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"number\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellHeight.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellHeight.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellWidth", + "type": "Object", + "tags": [], + "label": "cellWidth", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellWidth.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"number\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellWidth.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.cellWidth.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isCellLabelVisible", + "type": "Object", + "tags": [], + "label": "isCellLabelVisible", + "description": [ + "// cells" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isCellLabelVisible.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"boolean\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isCellLabelVisible.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isYAxisLabelVisible", + "type": "Object", + "tags": [], + "label": "isYAxisLabelVisible", + "description": [ + "// Y-axis" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isYAxisLabelVisible.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"boolean\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isYAxisLabelVisible.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelWidth", + "type": "Object", + "tags": [], + "label": "yAxisLabelWidth", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelWidth.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"number\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelWidth.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelWidth.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelColor", + "type": "Object", + "tags": [], + "label": "yAxisLabelColor", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelColor.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"string\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelColor.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.yAxisLabelColor.required", + "type": "boolean", + "tags": [], + "label": "required", + "description": [], + "signature": [ + "false" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isXAxisLabelVisible", + "type": "Object", + "tags": [], + "label": "isXAxisLabelVisible", + "description": [ + "// X-axis" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isXAxisLabelVisible.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"boolean\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.args.isXAxisLabelVisible.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false + } + ] + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.fn", + "type": "Function", + "tags": [], + "label": "fn", + "description": [], + "signature": [ + "(input: null, args: ", + "HeatmapGridConfig", + ") => { strokeWidth?: number | undefined; strokeColor?: string | undefined; cellHeight?: number | undefined; cellWidth?: number | undefined; isCellLabelVisible: boolean; isYAxisLabelVisible: boolean; yAxisLabelWidth?: number | undefined; yAxisLabelColor?: string | undefined; isXAxisLabelVisible: boolean; type: \"heatmap_grid\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.fn.$1", + "type": "Uncategorized", + "tags": [], + "label": "input", + "description": [], + "signature": [ + "null" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapGridConfig.fn.$2", + "type": "Object", + "tags": [], + "label": "args", + "description": [], + "signature": [ + "HeatmapGridConfig" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_grid.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig", + "type": "Object", + "tags": [], + "label": "heatmapLegendConfig", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.name", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "\"heatmap_legend\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.aliases", + "type": "Array", + "tags": [], + "label": "aliases", + "description": [], + "signature": [ + "never[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"heatmap_legend\"" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.inputTypes", + "type": "Array", + "tags": [], + "label": "inputTypes", + "description": [], + "signature": [ + "\"null\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args", + "type": "Object", + "tags": [], + "label": "args", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.isVisible", + "type": "Object", + "tags": [], + "label": "isVisible", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.isVisible.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"boolean\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.isVisible.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.position", + "type": "Object", + "tags": [], + "label": "position", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.position.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"string\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.position.options", + "type": "Array", + "tags": [], + "label": "options", + "description": [], + "signature": [ + "(\"top\" | \"bottom\" | \"left\" | \"right\")[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.position.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.maxLines", + "type": "Object", + "tags": [], + "label": "maxLines", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.maxLines.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"number\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.maxLines.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.shouldTruncate", + "type": "Object", + "tags": [], + "label": "shouldTruncate", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.shouldTruncate.types", + "type": "Array", + "tags": [], + "label": "types", + "description": [], + "signature": [ + "\"boolean\"[]" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.shouldTruncate.default", + "type": "boolean", + "tags": [], + "label": "default", + "description": [], + "signature": [ + "true" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.args.shouldTruncate.help", + "type": "string", + "tags": [], + "label": "help", + "description": [], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false + } + ] + } + ] + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.fn", + "type": "Function", + "tags": [], + "label": "fn", + "description": [], + "signature": [ + "(input: null, args: ", + "HeatmapLegendConfig", + ") => { isVisible: boolean; position: ", + "Position", + "; maxLines?: number | undefined; shouldTruncate?: boolean | undefined; type: \"heatmap_legend\"; }" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.fn.$1", + "type": "Uncategorized", + "tags": [], + "label": "input", + "description": [], + "signature": [ + "null" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "expressionHeatmap", + "id": "def-common.heatmapLegendConfig.fn.$2", + "type": "Object", + "tags": [], + "label": "args", + "description": [], + "signature": [ + "HeatmapLegendConfig" + ], + "path": "src/plugins/chart_expressions/expression_heatmap/common/expression_functions/heatmap_legend.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + } + ] + } +} \ No newline at end of file diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx new file mode 100644 index 00000000000000..1b0aa6fa9b34d8 --- /dev/null +++ b/api_docs/expression_heatmap.mdx @@ -0,0 +1,41 @@ +--- +id: kibExpressionHeatmapPluginApi +slug: /kibana-dev-docs/api/expressionHeatmap +title: "expressionHeatmap" +image: https://source.unsplash.com/400x175/?github +summary: API docs for the expressionHeatmap plugin +date: 2020-11-16 +tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] +warning: This document is auto-generated and is meant to be viewed inside our experimental, new docs system. Reach out in #docs-engineering for more info. +--- +import expressionHeatmapObj from './expression_heatmap.json'; + +Expression Heatmap plugin adds a `heatmap` renderer and function to the expression plugin. The renderer will display the `heatmap` chart. + +Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) for questions regarding this plugin. + +**Code health stats** + +| Public API count | Any count | Items lacking comments | Missing exports | +|-------------------|-----------|------------------------|-----------------| +| 115 | 0 | 111 | 3 | + +## Client + +### Functions + + +## Common + +### Objects + + +### Functions + + +### Interfaces + + +### Consts, variables and types + + diff --git a/api_docs/expression_image.json b/api_docs/expression_image.json index 3ef746c8819dd4..94fadf0d6a717b 100644 --- a/api_docs/expression_image.json +++ b/api_docs/expression_image.json @@ -5,13 +5,23 @@ "functions": [ { "parentPluginId": "expressionImage", - "id": "def-public.imageRenderer", + "id": "def-public.getImageRenderer", "type": "Function", "tags": [], - "label": "imageRenderer", + "label": "getImageRenderer", "description": [], "signature": [ - "() => ", + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", { "pluginId": "expressions", "scope": "common", @@ -31,23 +41,51 @@ ], "path": "src/plugins/expression_image/public/expression_renderers/image_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionImage", + "id": "def-public.getImageRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_image/public/expression_renderers/image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [], - "enums": [], - "misc": [ + }, { "parentPluginId": "expressionImage", - "id": "def-public.renderers", - "type": "Array", + "id": "def-public.imageRendererFactory", + "type": "Function", "tags": [], - "label": "renderers", + "label": "imageRendererFactory", "description": [], "signature": [ - "(() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -63,13 +101,40 @@ "section": "def-common.ImageRendererConfig", "text": "ImageRendererConfig" }, - ">)[]" + ">" ], - "path": "src/plugins/expression_image/public/expression_renderers/index.ts", + "path": "src/plugins/expression_image/public/expression_renderers/image_renderer.tsx", "deprecated": false, + "children": [ + { + "parentPluginId": "expressionImage", + "id": "def-public.imageRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_image/public/expression_renderers/image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], "initialIsOpen": false } ], + "interfaces": [], + "enums": [], + "misc": [], "objects": [], "start": { "parentPluginId": "expressionImage", @@ -346,7 +411,7 @@ "label": "OriginString", "description": [], "signature": [ - "\"top\" | \"left\" | \"bottom\" | \"right\"" + "\"top\" | \"bottom\" | \"left\" | \"right\"" ], "path": "src/plugins/expression_image/common/types/expression_renderers.ts", "deprecated": false, diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index bf829509f83bd0..42253760950399 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 24 | 0 | 24 | 0 | +| 26 | 0 | 26 | 0 | ## Client @@ -28,9 +28,6 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese ### Functions -### Consts, variables and types - - ## Server ### Start diff --git a/api_docs/expression_metric.json b/api_docs/expression_metric.json index 15ac62a53293f3..36e8e5b6251254 100644 --- a/api_docs/expression_metric.json +++ b/api_docs/expression_metric.json @@ -5,13 +5,23 @@ "functions": [ { "parentPluginId": "expressionMetric", - "id": "def-public.metricRenderer", + "id": "def-public.getMetricRenderer", "type": "Function", "tags": [], - "label": "metricRenderer", + "label": "getMetricRenderer", "description": [], "signature": [ - "() => ", + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", { "pluginId": "expressions", "scope": "common", @@ -31,23 +41,51 @@ ], "path": "src/plugins/expression_metric/public/expression_renderers/metric_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionMetric", + "id": "def-public.getMetricRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_metric/public/expression_renderers/metric_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [], - "enums": [], - "misc": [ + }, { "parentPluginId": "expressionMetric", - "id": "def-public.renderers", - "type": "Array", + "id": "def-public.metricRendererFactory", + "type": "Function", "tags": [], - "label": "renderers", + "label": "metricRendererFactory", "description": [], "signature": [ - "(() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -63,13 +101,40 @@ "section": "def-common.MetricRendererConfig", "text": "MetricRendererConfig" }, - ">)[]" + ">" ], - "path": "src/plugins/expression_metric/public/expression_renderers/index.ts", + "path": "src/plugins/expression_metric/public/expression_renderers/metric_renderer.tsx", "deprecated": false, + "children": [ + { + "parentPluginId": "expressionMetric", + "id": "def-public.metricRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_metric/public/expression_renderers/metric_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], "initialIsOpen": false } ], + "interfaces": [], + "enums": [], + "misc": [], "objects": [], "start": { "parentPluginId": "expressionMetric", @@ -121,7 +186,15 @@ "label": "metricFunction", "description": [], "signature": [ - "() => { name: \"metric\"; aliases: never[]; type: \"render\"; inputTypes: (\"string\" | \"number\" | \"null\")[]; help: string; args: { label: { types: \"string\"[]; aliases: string[]; help: string; default: string; }; labelFont: { types: \"style\"[]; help: string; default: string; }; metricFont: { types: \"style\"[]; help: string; default: string; }; metricFormat: { types: \"string\"[]; aliases: string[]; help: string; }; }; fn: (input: string | number | null, { label, labelFont, metricFont, metricFormat }: ", + "() => { name: \"metric\"; aliases: never[]; type: \"render\"; inputTypes: (\"number\" | \"string\" | \"null\")[]; help: string; args: { label: { types: \"string\"[]; aliases: string[]; help: string; default: string; }; labelFont: { types: \"style\"[]; help: string; default: string; }; metricFont: { types: \"style\"[]; help: string; default: string; }; metricFormat: { types: \"string\"[]; aliases: string[]; help: string; }; }; fn: (input: ", + { + "pluginId": "expressionMetric", + "scope": "common", + "docId": "kibExpressionMetricPluginApi", + "section": "def-common.Input", + "text": "Input" + }, + ", { label, labelFont, metricFont, metricFormat }: ", { "pluginId": "expressionMetric", "scope": "common", @@ -386,7 +459,15 @@ "section": "def-common.ExpressionFunctionDefinition", "text": "ExpressionFunctionDefinition" }, - "<\"metric\", string | number | null, ", + "<\"metric\", ", + { + "pluginId": "expressionMetric", + "scope": "common", + "docId": "kibExpressionMetricPluginApi", + "section": "def-common.Input", + "text": "Input" + }, + ", ", { "pluginId": "expressionMetric", "scope": "common", @@ -399,10 +480,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: ", + "<", { "pluginId": "expressionMetric", "scope": "common", @@ -410,7 +491,7 @@ "section": "def-common.Arguments", "text": "Arguments" }, - "; }>, ", + ">, ", { "pluginId": "expressions", "scope": "common", diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index b3b3b38228cc5c..d3f4695b698d0b 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 30 | 0 | 25 | 0 | +| 32 | 0 | 27 | 0 | ## Client @@ -28,9 +28,6 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese ### Functions -### Consts, variables and types - - ## Server ### Start diff --git a/api_docs/expression_metric_vis.json b/api_docs/expression_metric_vis.json index 0aa40780768d0d..c0bea82c0fc6ac 100644 --- a/api_docs/expression_metric_vis.json +++ b/api_docs/expression_metric_vis.json @@ -63,21 +63,13 @@ "description": [], "signature": [ { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"vis_dimension\", { accessor: number | ", - { - "pluginId": "expressions", + "pluginId": "visualizations", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.DatatableColumn", - "text": "DatatableColumn" + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" }, - "; format: { id?: string | undefined; params: Record; }; }>[]" + "[]" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_renderers.ts", "deprecated": false @@ -91,21 +83,13 @@ "description": [], "signature": [ { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"vis_dimension\", { accessor: number | ", - { - "pluginId": "expressions", + "pluginId": "visualizations", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.DatatableColumn", - "text": "DatatableColumn" + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" }, - "; format: { id?: string | undefined; params: Record; }; }> | undefined" + " | undefined" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_renderers.ts", "deprecated": false @@ -141,7 +125,7 @@ "label": "colorMode", "description": [], "signature": [ - "\"None\" | \"Background\" | \"Labels\"" + "\"Background\" | \"Labels\" | \"None\"" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_functions.ts", "deprecated": false @@ -212,21 +196,13 @@ "description": [], "signature": [ { - "pluginId": "expressions", + "pluginId": "visualizations", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"vis_dimension\", { accessor: number | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.DatatableColumn", - "text": "DatatableColumn" + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" }, - "; format: { id?: string | undefined; params: Record; }; }>[]" + "[]" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_functions.ts", "deprecated": false @@ -240,21 +216,13 @@ "description": [], "signature": [ { - "pluginId": "expressions", + "pluginId": "visualizations", "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "docId": "kibVisualizationsPluginApi", + "section": "def-common.ExpressionValueVisDimension", + "text": "ExpressionValueVisDimension" }, - "<\"vis_dimension\", { accessor: number | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.DatatableColumn", - "text": "DatatableColumn" - }, - "; format: { id?: string | undefined; params: Record; }; }> | undefined" + " | undefined" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_functions.ts", "deprecated": false @@ -372,7 +340,7 @@ "label": "metricColorMode", "description": [], "signature": [ - "\"None\" | \"Background\" | \"Labels\"" + "\"Background\" | \"Labels\" | \"None\"" ], "path": "src/plugins/chart_expressions/expression_metric/common/types/expression_renderers.ts", "deprecated": false @@ -678,10 +646,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: ", + "<", { "pluginId": "expressionMetricVis", "scope": "common", @@ -689,7 +657,7 @@ "section": "def-common.MetricVisRenderConfig", "text": "MetricVisRenderConfig" }, - "; }>, ", + ">, ", { "pluginId": "expressions", "scope": "common", diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index bfbd6bb8b825a1..9382a561374b21 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -16,7 +16,7 @@ Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 40 | 0 | 40 | 0 | diff --git a/api_docs/expression_repeat_image.json b/api_docs/expression_repeat_image.json index f61abea4ce9283..27607eac3e043c 100644 --- a/api_docs/expression_repeat_image.json +++ b/api_docs/expression_repeat_image.json @@ -5,13 +5,23 @@ "functions": [ { "parentPluginId": "expressionRepeatImage", - "id": "def-public.repeatImageRenderer", + "id": "def-public.getRepeatImageRenderer", "type": "Function", "tags": [], - "label": "repeatImageRenderer", + "label": "getRepeatImageRenderer", "description": [], "signature": [ - "() => ", + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", { "pluginId": "expressions", "scope": "common", @@ -31,23 +41,51 @@ ], "path": "src/plugins/expression_repeat_image/public/expression_renderers/repeat_image_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionRepeatImage", + "id": "def-public.getRepeatImageRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_repeat_image/public/expression_renderers/repeat_image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [], - "enums": [], - "misc": [ + }, { "parentPluginId": "expressionRepeatImage", - "id": "def-public.renderers", - "type": "Array", + "id": "def-public.repeatImageRendererFactory", + "type": "Function", "tags": [], - "label": "renderers", + "label": "repeatImageRendererFactory", "description": [], "signature": [ - "(() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -63,13 +101,40 @@ "section": "def-common.RepeatImageRendererConfig", "text": "RepeatImageRendererConfig" }, - ">)[]" + ">" ], - "path": "src/plugins/expression_repeat_image/public/expression_renderers/index.ts", + "path": "src/plugins/expression_repeat_image/public/expression_renderers/repeat_image_renderer.tsx", "deprecated": false, + "children": [ + { + "parentPluginId": "expressionRepeatImage", + "id": "def-public.repeatImageRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_repeat_image/public/expression_renderers/repeat_image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], "initialIsOpen": false } ], + "interfaces": [], + "enums": [], + "misc": [], "objects": [], "start": { "parentPluginId": "expressionRepeatImage", @@ -345,10 +410,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: Arguments; }>>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -409,7 +474,7 @@ "label": "OriginString", "description": [], "signature": [ - "\"top\" | \"left\" | \"bottom\" | \"right\"" + "\"top\" | \"bottom\" | \"left\" | \"right\"" ], "path": "src/plugins/expression_repeat_image/common/types/expression_renderers.ts", "deprecated": false, diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 512b185bfb49c1..634bde9393a957 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 30 | 0 | 30 | 0 | +| 32 | 0 | 32 | 0 | ## Client @@ -28,9 +28,6 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese ### Functions -### Consts, variables and types - - ## Server ### Start diff --git a/api_docs/expression_reveal_image.json b/api_docs/expression_reveal_image.json index 25cb94737dcb1d..f0f4f50143cf49 100644 --- a/api_docs/expression_reveal_image.json +++ b/api_docs/expression_reveal_image.json @@ -5,13 +5,23 @@ "functions": [ { "parentPluginId": "expressionRevealImage", - "id": "def-public.revealImageRenderer", + "id": "def-public.getRevealImageRenderer", "type": "Function", "tags": [], - "label": "revealImageRenderer", + "label": "getRevealImageRenderer", "description": [], "signature": [ - "() => ", + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", { "pluginId": "expressions", "scope": "common", @@ -25,23 +35,51 @@ ], "path": "src/plugins/expression_reveal_image/public/expression_renderers/reveal_image_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionRevealImage", + "id": "def-public.getRevealImageRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_reveal_image/public/expression_renderers/reveal_image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false - } - ], - "interfaces": [], - "enums": [], - "misc": [ + }, { "parentPluginId": "expressionRevealImage", - "id": "def-public.renderers", - "type": "Array", + "id": "def-public.revealImageRendererFactory", + "type": "Function", "tags": [], - "label": "renderers", + "label": "revealImageRendererFactory", "description": [], "signature": [ - "(() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -51,13 +89,40 @@ }, "<", "RevealImageRendererConfig", - ">)[]" + ">" ], - "path": "src/plugins/expression_reveal_image/public/expression_renderers/index.ts", + "path": "src/plugins/expression_reveal_image/public/expression_renderers/reveal_image_renderer.tsx", "deprecated": false, + "children": [ + { + "parentPluginId": "expressionRevealImage", + "id": "def-public.revealImageRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_reveal_image/public/expression_renderers/reveal_image_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], "initialIsOpen": false } ], + "interfaces": [], + "enums": [], + "misc": [], "objects": [], "start": { "parentPluginId": "expressionRevealImage", diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index f438a6c7cf5b8b..cf75e686ad4243 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 12 | 0 | 12 | 3 | +| 14 | 0 | 14 | 3 | ## Client @@ -28,9 +28,6 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese ### Functions -### Consts, variables and types - - ## Server ### Start diff --git a/api_docs/expression_shape.json b/api_docs/expression_shape.json index 12a589bc5f7016..4ea44f1d380d23 100644 --- a/api_docs/expression_shape.json +++ b/api_docs/expression_shape.json @@ -26,6 +26,138 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "expressionShape", + "id": "def-public.getProgressRenderer", + "type": "Function", + "tags": [], + "label": "getProgressRenderer", + "description": [], + "signature": [ + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionRenderDefinition", + "text": "ExpressionRenderDefinition" + }, + "<", + { + "pluginId": "expressionShape", + "scope": "common", + "docId": "kibExpressionShapePluginApi", + "section": "def-common.ProgressOutput", + "text": "ProgressOutput" + }, + ">" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/progress_renderer.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionShape", + "id": "def-public.getProgressRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/progress_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "expressionShape", + "id": "def-public.getShapeRenderer", + "type": "Function", + "tags": [], + "label": "getShapeRenderer", + "description": [], + "signature": [ + "(theme$?: ", + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">) => () => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionRenderDefinition", + "text": "ExpressionRenderDefinition" + }, + "<", + { + "pluginId": "expressionShape", + "scope": "common", + "docId": "kibExpressionShapePluginApi", + "section": "def-common.ShapeRendererConfig", + "text": "ShapeRendererConfig" + }, + ">" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/shape_renderer.tsx", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressionShape", + "id": "def-public.getShapeRenderer.$1", + "type": "Object", + "tags": [], + "label": "theme$", + "description": [], + "signature": [ + "Observable", + "<", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreTheme", + "text": "CoreTheme" + }, + ">" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/shape_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "expressionShape", "id": "def-public.LazyProgressDrawer", @@ -34,15 +166,15 @@ "label": "LazyProgressDrawer", "description": [], "signature": [ - "React.ExoticComponent, \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", + ", \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", { "pluginId": "expressionShape", "scope": "public", @@ -50,15 +182,15 @@ "section": "def-public.ShapeRef", "text": "ShapeRef" }, - ">> & { readonly _result: React.ForwardRefExoticComponent> & { readonly _result: React.ForwardRefExoticComponent, \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", + ", \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", { "pluginId": "expressionShape", "scope": "public", @@ -96,15 +228,15 @@ "label": "LazyShapeDrawer", "description": [], "signature": [ - "React.ExoticComponent, \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", + ", \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", { "pluginId": "expressionShape", "scope": "public", @@ -112,15 +244,15 @@ "section": "def-public.ShapeRef", "text": "ShapeRef" }, - ">> & { readonly _result: React.ForwardRefExoticComponent> & { readonly _result: React.ForwardRefExoticComponent, \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", + ", \"children\" | \"shapeType\" | \"shapeAttributes\" | \"shapeContentAttributes\" | \"textAttributes\"> & React.RefAttributes<", { "pluginId": "expressionShape", "scope": "public", @@ -152,13 +284,21 @@ }, { "parentPluginId": "expressionShape", - "id": "def-public.progressRenderer", + "id": "def-public.progressRendererFactory", "type": "Function", "tags": [], - "label": "progressRenderer", + "label": "progressRendererFactory", "description": [], "signature": [ - "() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -178,19 +318,49 @@ ], "path": "src/plugins/expression_shape/public/expression_renderers/progress_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionShape", + "id": "def-public.progressRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/progress_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false }, { "parentPluginId": "expressionShape", - "id": "def-public.shapeRenderer", + "id": "def-public.shapeRendererFactory", "type": "Function", "tags": [], - "label": "shapeRenderer", + "label": "shapeRendererFactory", "description": [], "signature": [ - "() => ", + "(core: ", + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + ") => () => ", { "pluginId": "expressions", "scope": "common", @@ -210,7 +380,29 @@ ], "path": "src/plugins/expression_shape/public/expression_renderers/shape_renderer.tsx", "deprecated": false, - "children": [], + "children": [ + { + "parentPluginId": "expressionShape", + "id": "def-public.shapeRendererFactory.$1", + "type": "Object", + "tags": [], + "label": "core", + "description": [], + "signature": [ + { + "pluginId": "core", + "scope": "public", + "docId": "kibCorePluginApi", + "section": "def-public.CoreSetup", + "text": "CoreSetup" + }, + "" + ], + "path": "src/plugins/expression_shape/public/expression_renderers/shape_renderer.tsx", + "deprecated": false, + "isRequired": true + } + ], "returnComment": [], "initialIsOpen": false } @@ -444,7 +636,7 @@ "label": "strokeLinecap", "description": [], "signature": [ - "\"inherit\" | \"butt\" | \"round\" | \"square\" | undefined" + "\"square\" | \"inherit\" | \"butt\" | \"round\" | undefined" ], "path": "src/plugins/expression_shape/public/components/reusable/types.tsx", "deprecated": false @@ -1081,7 +1273,6 @@ "label": "shapeProps", "description": [], "signature": [ - "(", { "pluginId": "expressionShape", "scope": "public", @@ -1094,58 +1285,10 @@ "pluginId": "expressionShape", "scope": "public", "docId": "kibExpressionShapePluginApi", - "section": "def-public.CircleParams", - "text": "CircleParams" + "section": "def-public.SpecificShapeContentAttributes", + "text": "SpecificShapeContentAttributes" }, - " & Readonly<{}> & Readonly<{ children?: React.ReactNode; }> & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.RectParams", - "text": "RectParams" - }, - " & Readonly<{}> & Readonly<{ children?: React.ReactNode; }> & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PathParams", - "text": "PathParams" - }, - " & Readonly<{}> & Readonly<{ children?: React.ReactNode; }> & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PolygonParams", - "text": "PolygonParams" - }, - " & Readonly<{}> & Readonly<{ children?: React.ReactNode; }> & { ref?: React.RefObject | undefined; })" + " & Readonly<{}> & Readonly<{ children?: React.ReactNode; }> & { ref?: React.RefObject | undefined; }" ], "path": "src/plugins/expression_shape/public/components/reusable/types.tsx", "deprecated": false @@ -1292,10 +1435,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: ", + "<", { "pluginId": "expressionShape", "scope": "common", @@ -1303,7 +1446,7 @@ "section": "def-common.ProgressArguments", "text": "ProgressArguments" }, - "; }>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -1399,7 +1542,7 @@ "label": "OriginString", "description": [], "signature": [ - "\"top\" | \"left\" | \"bottom\" | \"right\"" + "\"top\" | \"bottom\" | \"left\" | \"right\"" ], "path": "src/plugins/expression_shape/common/types/expression_renderers.ts", "deprecated": false, @@ -1447,52 +1590,6 @@ "deprecated": false, "initialIsOpen": false }, - { - "parentPluginId": "expressionShape", - "id": "def-public.renderers", - "type": "Array", - "tags": [], - "label": "renderers", - "description": [], - "signature": [ - "((() => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionRenderDefinition", - "text": "ExpressionRenderDefinition" - }, - "<", - { - "pluginId": "expressionShape", - "scope": "common", - "docId": "kibExpressionShapePluginApi", - "section": "def-common.ShapeRendererConfig", - "text": "ShapeRendererConfig" - }, - ">) | (() => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionRenderDefinition", - "text": "ExpressionRenderDefinition" - }, - "<", - { - "pluginId": "expressionShape", - "scope": "common", - "docId": "kibExpressionShapePluginApi", - "section": "def-common.ProgressOutput", - "text": "ProgressOutput" - }, - ">))[]" - ], - "path": "src/plugins/expression_shape/public/expression_renderers/index.ts", - "deprecated": false, - "initialIsOpen": false - }, { "parentPluginId": "expressionShape", "id": "def-public.ShapeDrawerComponentProps", @@ -1501,15 +1598,7 @@ "label": "ShapeDrawerComponentProps", "description": [], "signature": [ - "{ readonly children?: React.ReactNode; ref: (((instance: ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeRef", - "text": "ShapeRef" - }, - " | null) => void) & React.RefObject) | (React.RefObject<", + "{ readonly children?: React.ReactNode; ref: React.Ref<", { "pluginId": "expressionShape", "scope": "public", @@ -1517,7 +1606,7 @@ "section": "def-public.ShapeRef", "text": "ShapeRef" }, - "> & React.RefObject); shapeType: string; shapeAttributes?: ", + "> & (React.RefObject | undefined); shapeType: string; shapeAttributes?: ", { "pluginId": "expressionShape", "scope": "public", @@ -1538,56 +1627,8 @@ "pluginId": "expressionShape", "scope": "public", "docId": "kibExpressionShapePluginApi", - "section": "def-public.CircleParams", - "text": "CircleParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.RectParams", - "text": "RectParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PathParams", - "text": "PathParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PolygonParams", - "text": "PolygonParams" + "section": "def-public.SpecificShapeContentAttributes", + "text": "SpecificShapeContentAttributes" }, " & { ref?: React.RefObject | undefined; }) | undefined; textAttributes?: ", { @@ -1656,56 +1697,8 @@ "pluginId": "expressionShape", "scope": "public", "docId": "kibExpressionShapePluginApi", - "section": "def-public.CircleParams", - "text": "CircleParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.RectParams", - "text": "RectParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PathParams", - "text": "PathParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PolygonParams", - "text": "PolygonParams" + "section": "def-public.SpecificShapeContentAttributes", + "text": "SpecificShapeContentAttributes" }, " & { ref?: React.RefObject | undefined; }) | undefined; textAttributes?: ", { @@ -1750,56 +1743,8 @@ "pluginId": "expressionShape", "scope": "public", "docId": "kibExpressionShapePluginApi", - "section": "def-public.CircleParams", - "text": "CircleParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.RectParams", - "text": "RectParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PathParams", - "text": "PathParams" - }, - " & { ref?: React.RefObject | undefined; }) | (", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.ShapeContentAttributes", - "text": "ShapeContentAttributes" - }, - " & ", - { - "pluginId": "expressionShape", - "scope": "public", - "docId": "kibExpressionShapePluginApi", - "section": "def-public.PolygonParams", - "text": "PolygonParams" + "section": "def-public.SpecificShapeContentAttributes", + "text": "SpecificShapeContentAttributes" }, " & { ref?: React.RefObject | undefined; }) | undefined; textAttributes?: ", { @@ -2445,10 +2390,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: ", + "<", { "pluginId": "expressionShape", "scope": "common", @@ -2456,7 +2401,7 @@ "section": "def-common.ProgressArguments", "text": "ProgressArguments" }, - "; }>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -2580,7 +2525,7 @@ "label": "OriginString", "description": [], "signature": [ - "\"top\" | \"left\" | \"bottom\" | \"right\"" + "\"top\" | \"bottom\" | \"left\" | \"right\"" ], "path": "src/plugins/expression_shape/common/types/expression_renderers.ts", "deprecated": false, diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index b7670e75f615df..f377ee2a70bce5 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -16,9 +16,9 @@ Contact [Kibana Presentation](https://github.com/orgs/elastic/teams/kibana-prese **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 143 | 0 | 143 | 0 | +| 148 | 0 | 148 | 0 | ## Client diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index 662b1658caafd0..4c373851fa4c23 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -16,7 +16,7 @@ Contact [Vis Editors](https://github.com/orgs/elastic/teams/kibana-vis-editors) **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 5 | 0 | 5 | 0 | diff --git a/api_docs/expressions.json b/api_docs/expressions.json index f615409f9b4c6f..6307b0ebf5ad93 100644 --- a/api_docs/expressions.json +++ b/api_docs/expressions.json @@ -60,26 +60,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>, ", + " | Output>>, ", { "pluginId": "expressions", "scope": "common", @@ -100,26 +84,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>, {}>" + " | Output>>, {}>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -193,26 +161,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -340,26 +292,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false, @@ -755,6 +691,26 @@ "path": "src/plugins/expressions/common/execution/execution_contract.ts", "deprecated": false }, + { + "parentPluginId": "expressions", + "id": "def-public.ExecutionContract.execution", + "type": "Object", + "tags": [], + "label": "execution", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Execution", + "text": "Execution" + }, + "" + ], + "path": "src/plugins/expressions/common/execution/execution_contract.ts", + "deprecated": false + }, { "parentPluginId": "expressions", "id": "def-public.ExecutionContract.Unnamed", @@ -834,26 +790,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }>>>" + ">>" ], "path": "src/plugins/expressions/common/execution/execution_contract.ts", "deprecated": false, @@ -1510,26 +1450,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/executor/executor.ts", "deprecated": false, @@ -2501,7 +2425,15 @@ "label": "types", "description": [], "signature": [ - "(string[] & (\"filter\" | \"date\" | ", + "(string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -2509,7 +2441,31 @@ "section": "def-common.KnownTypeToString", "text": "KnownTypeToString" }, - ")[]) | (string[] & (\"filter\" | \"date\" | ArrayTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedArrayTypeToArgumentString)[]) | undefined" + ")[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ArrayTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedArrayTypeToArgumentString)[]) | undefined" ], "path": "src/plugins/expressions/common/expression_functions/expression_function_parameter.ts", "deprecated": false @@ -4684,26 +4640,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/service/expressions_services.ts", "deprecated": false, @@ -6574,7 +6514,14 @@ "label": "rows", "description": [], "signature": [ - "Record[]" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false @@ -7028,7 +6975,7 @@ "\nTracks state of execution.\n\n- `not-started` - before .start() method was called.\n- `pending` - immediately after .start() method is called.\n- `result` - when expression execution completed.\n- `error` - when execution failed with error." ], "signature": [ - "\"result\" | \"error\" | \"not-started\" | \"pending\"" + "\"error\" | \"result\" | \"not-started\" | \"pending\"" ], "path": "src/plugins/expressions/common/execution/container.ts", "deprecated": false @@ -7782,7 +7729,6 @@ "\nName of type of value this function outputs." ], "signature": [ - "\"filter\" | \"date\" | ", { "pluginId": "expressions", "scope": "common", @@ -7814,7 +7760,15 @@ "section": "def-server.UnwrapPromiseOrReturn", "text": "UnwrapPromiseOrReturn" }, - "> | undefined" + "> | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | undefined" ], "path": "src/plugins/expressions/common/expression_functions/types.ts", "deprecated": false @@ -9047,131 +9001,115 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", + " | Output>>" + ], + "path": "src/plugins/expressions/common/service/expressions_services.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "expressions", + "id": "def-public.ExpressionsServiceStart.run.$1", + "type": "CompoundType", + "tags": [], + "label": "ast", + "description": [], + "signature": [ + "string | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionAstExpression", + "text": "ExpressionAstExpression" + } + ], + "path": "src/plugins/expressions/common/service/expressions_services.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "expressions", + "id": "def-public.ExpressionsServiceStart.run.$2", + "type": "Uncategorized", + "tags": [], + "label": "input", + "description": [], + "signature": [ + "Input" + ], + "path": "src/plugins/expressions/common/service/expressions_services.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "expressions", + "id": "def-public.ExpressionsServiceStart.run.$3", + "type": "Object", + "tags": [], + "label": "params", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionExecutionParams", + "text": "ExpressionExecutionParams" + }, + " | undefined" + ], + "path": "src/plugins/expressions/common/service/expressions_services.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [] + }, + { + "parentPluginId": "expressions", + "id": "def-public.ExpressionsServiceStart.execute", + "type": "Function", + "tags": [], + "label": "execute", + "description": [ + "\nStarts expression execution and immediately returns `ExecutionContract`\ninstance that tracks the progress of the execution and can be used to\ninteract with the execution." + ], + "signature": [ + "(ast: string | ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionAstExpression", + "text": "ExpressionAstExpression" }, - "; info?: ", + ", input: Input, params?: ", { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExpressionExecutionParams", + "text": "ExpressionExecutionParams" + }, + " | undefined) => ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.ExecutionContract", + "text": "ExecutionContract" }, - " | undefined; }> | Output>>" + "" ], "path": "src/plugins/expressions/common/service/expressions_services.ts", "deprecated": false, "children": [ { "parentPluginId": "expressions", - "id": "def-public.ExpressionsServiceStart.run.$1", - "type": "CompoundType", - "tags": [], - "label": "ast", - "description": [], - "signature": [ - "string | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" - } - ], - "path": "src/plugins/expressions/common/service/expressions_services.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "expressions", - "id": "def-public.ExpressionsServiceStart.run.$2", - "type": "Uncategorized", - "tags": [], - "label": "input", - "description": [], - "signature": [ - "Input" - ], - "path": "src/plugins/expressions/common/service/expressions_services.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "expressions", - "id": "def-public.ExpressionsServiceStart.run.$3", - "type": "Object", - "tags": [], - "label": "params", - "description": [], - "signature": [ - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionExecutionParams", - "text": "ExpressionExecutionParams" - }, - " | undefined" - ], - "path": "src/plugins/expressions/common/service/expressions_services.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [] - }, - { - "parentPluginId": "expressions", - "id": "def-public.ExpressionsServiceStart.execute", - "type": "Function", - "tags": [], - "label": "execute", - "description": [ - "\nStarts expression execution and immediately returns `ExecutionContract`\ninstance that tracks the progress of the execution and can be used to\ninteract with the execution." - ], - "signature": [ - "(ast: string | ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" - }, - ", input: Input, params?: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionExecutionParams", - "text": "ExpressionExecutionParams" - }, - " | undefined) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExecutionContract", - "text": "ExecutionContract" - }, - "" - ], - "path": "src/plugins/expressions/common/service/expressions_services.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "expressions", - "id": "def-public.ExpressionsServiceStart.execute.$1", + "id": "def-public.ExpressionsServiceStart.execute.$1", "type": "CompoundType", "tags": [], "label": "ast", @@ -9701,7 +9639,14 @@ "label": "renderMode", "description": [], "signature": [ - "\"edit\" | \"preview\" | \"view\" | undefined" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.RenderMode", + "text": "RenderMode" + }, + " | undefined" ], "path": "src/plugins/expressions/public/types/index.ts", "deprecated": false @@ -10348,7 +10293,7 @@ "section": "def-public.ExpressionRenderError", "text": "ExpressionRenderError" }, - " | null | undefined) => React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)>[]) | undefined" + " | null | undefined) => React.ReactElement> | React.ReactElement>[]) | undefined" ], "path": "src/plugins/expressions/public/react_expression_renderer.tsx", "deprecated": false, @@ -10399,7 +10344,7 @@ "label": "padding", "description": [], "signature": [ - "\"s\" | \"m\" | \"l\" | \"xs\" | \"xl\" | undefined" + "\"m\" | \"s\" | \"l\" | \"xs\" | \"xl\" | undefined" ], "path": "src/plugins/expressions/public/react_expression_renderer.tsx", "deprecated": false @@ -10774,7 +10719,7 @@ "\nThis type represents the `type` of any `DatatableColumn` in a `Datatable`.\nits duplicated from KBN_FIELD_TYPES" ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\"" + "\"string\" | \"number\" | \"boolean\" | \"object\" | \"ip\" | \"nested\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"histogram\" | \"null\"" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -10959,7 +10904,6 @@ "label": "ExpressionAstNode", "description": [], "signature": [ - "string | number | boolean | ", { "pluginId": "expressions", "scope": "common", @@ -10972,8 +10916,8 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" + "section": "def-common.ExpressionAstArgument", + "text": "ExpressionAstArgument" } ], "path": "src/plugins/expressions/common/ast/types.ts", @@ -11184,10 +11128,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueFilter", + "text": "ExpressionValueFilter" }, - "<\"filter\", any>[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" + "[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" ], "path": "src/plugins/expressions/common/expression_types/specs/filter.ts", "deprecated": false, @@ -11352,7 +11296,15 @@ "section": "def-common.PointSeriesColumns", "text": "PointSeriesColumns" }, - "; rows: Record[]; }" + "; rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]; }" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -11368,7 +11320,7 @@ "\nAllowed column names in a PointSeries" ], "signature": [ - "\"size\" | \"y\" | \"color\" | \"x\" | \"text\"" + "\"color\" | \"y\" | \"x\" | \"size\" | \"text\"" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -11640,7 +11592,14 @@ "\nThis can convert a type into a known Expression string representation of\nthat type. For example, `TypeToString` will resolve to `'datatable'`.\nThis allows Expression Functions to continue to specify their type in a\nsimple string format." ], "signature": [ - "\"filter\" | \"date\" | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -11992,26 +11951,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>, ", + " | Output>>, ", { "pluginId": "expressions", "scope": "common", @@ -12032,26 +11975,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>, {}>" + " | Output>>, {}>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -12125,26 +12052,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -12272,26 +12183,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false, @@ -13237,26 +13132,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/executor/executor.ts", "deprecated": false, @@ -14228,7 +14107,15 @@ "label": "types", "description": [], "signature": [ - "(string[] & (\"filter\" | \"date\" | ", + "(string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -14236,7 +14123,31 @@ "section": "def-common.KnownTypeToString", "text": "KnownTypeToString" }, - ")[]) | (string[] & (\"filter\" | \"date\" | ArrayTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedArrayTypeToArgumentString)[]) | undefined" + ")[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ArrayTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedArrayTypeToArgumentString)[]) | undefined" ], "path": "src/plugins/expressions/common/expression_functions/expression_function_parameter.ts", "deprecated": false @@ -16609,7 +16520,14 @@ "label": "rows", "description": [], "signature": [ - "Record[]" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false @@ -17063,7 +16981,7 @@ "\nTracks state of execution.\n\n- `not-started` - before .start() method was called.\n- `pending` - immediately after .start() method is called.\n- `result` - when expression execution completed.\n- `error` - when execution failed with error." ], "signature": [ - "\"result\" | \"error\" | \"not-started\" | \"pending\"" + "\"error\" | \"result\" | \"not-started\" | \"pending\"" ], "path": "src/plugins/expressions/common/execution/container.ts", "deprecated": false @@ -17788,7 +17706,6 @@ "\nName of type of value this function outputs." ], "signature": [ - "\"filter\" | \"date\" | ", { "pluginId": "expressions", "scope": "common", @@ -17820,7 +17737,15 @@ "section": "def-server.UnwrapPromiseOrReturn", "text": "UnwrapPromiseOrReturn" }, - "> | undefined" + "> | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | undefined" ], "path": "src/plugins/expressions/common/expression_functions/types.ts", "deprecated": false @@ -19715,7 +19640,7 @@ "\nThis type represents the `type` of any `DatatableColumn` in a `Datatable`.\nits duplicated from KBN_FIELD_TYPES" ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\"" + "\"string\" | \"number\" | \"boolean\" | \"object\" | \"ip\" | \"nested\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"histogram\" | \"null\"" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -19900,7 +19825,6 @@ "label": "ExpressionAstNode", "description": [], "signature": [ - "string | number | boolean | ", { "pluginId": "expressions", "scope": "common", @@ -19913,8 +19837,8 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" + "section": "def-common.ExpressionAstArgument", + "text": "ExpressionAstArgument" } ], "path": "src/plugins/expressions/common/ast/types.ts", @@ -20053,10 +19977,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueFilter", + "text": "ExpressionValueFilter" }, - "<\"filter\", any>[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" + "[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" ], "path": "src/plugins/expressions/common/expression_types/specs/filter.ts", "deprecated": false, @@ -20221,7 +20145,15 @@ "section": "def-common.PointSeriesColumns", "text": "PointSeriesColumns" }, - "; rows: Record[]; }" + "; rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]; }" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -20237,7 +20169,7 @@ "\nAllowed column names in a PointSeries" ], "signature": [ - "\"size\" | \"y\" | \"color\" | \"x\" | \"text\"" + "\"color\" | \"y\" | \"x\" | \"size\" | \"text\"" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -20479,7 +20411,14 @@ "\nThis can convert a type into a known Expression string representation of\nthat type. For example, `TypeToString` will resolve to `'datatable'`.\nThis allows Expression Functions to continue to specify their type in a\nsimple string format." ], "signature": [ - "\"filter\" | \"date\" | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -20614,26 +20553,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>, ", + " | Output>>, ", { "pluginId": "expressions", "scope": "common", @@ -20654,26 +20577,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>, {}>" + " | Output>>, {}>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -20747,26 +20654,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false @@ -20894,26 +20785,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/execution/execution.ts", "deprecated": false, @@ -21309,6 +21184,26 @@ "path": "src/plugins/expressions/common/execution/execution_contract.ts", "deprecated": false }, + { + "parentPluginId": "expressions", + "id": "def-common.ExecutionContract.execution", + "type": "Object", + "tags": [], + "label": "execution", + "description": [], + "signature": [ + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.Execution", + "text": "Execution" + }, + "" + ], + "path": "src/plugins/expressions/common/execution/execution_contract.ts", + "deprecated": false + }, { "parentPluginId": "expressions", "id": "def-common.ExecutionContract.Unnamed", @@ -21388,26 +21283,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }>>>" + ">>" ], "path": "src/plugins/expressions/common/execution/execution_contract.ts", "deprecated": false, @@ -22064,26 +21943,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/executor/executor.ts", "deprecated": false, @@ -23055,7 +22918,15 @@ "label": "types", "description": [], "signature": [ - "(string[] & (\"filter\" | \"date\" | ", + "(string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -23063,7 +22934,31 @@ "section": "def-common.KnownTypeToString", "text": "KnownTypeToString" }, - ")[]) | (string[] & (\"filter\" | \"date\" | ArrayTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedTypeToArgumentString)[]) | (string[] & (\"filter\" | \"date\" | UnresolvedArrayTypeToArgumentString)[]) | undefined" + ")[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ArrayTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedTypeToArgumentString)[]) | (string[] & (", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | UnresolvedArrayTypeToArgumentString)[]) | undefined" ], "path": "src/plugins/expressions/common/expression_functions/expression_function_parameter.ts", "deprecated": false @@ -23651,7 +23546,6 @@ "label": "ast", "description": [], "signature": [ - "string | number | boolean | ", { "pluginId": "expressions", "scope": "common", @@ -23664,8 +23558,8 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" + "section": "def-common.ExpressionAstArgument", + "text": "ExpressionAstArgument" } ], "path": "src/plugins/expressions/common/util/expressions_inspector_adapter.ts", @@ -24337,26 +24231,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/service/expressions_services.ts", "deprecated": false, @@ -26190,26 +26068,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }>" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" + } ], "path": "src/plugins/expressions/common/util/create_error.ts", "deprecated": false, @@ -26507,7 +26368,15 @@ "\nReturns a string identifying the group of a row by a list of columns to group by" ], "signature": [ - "(row: Record, groupColumns: string[] | undefined) => string" + "(row: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + ", groupColumns: string[] | undefined) => string" ], "path": "src/plugins/expressions/common/expression_functions/series_calculation_helpers.ts", "deprecated": false, @@ -26520,7 +26389,13 @@ "label": "row", "description": [], "signature": [ - "Record" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + } ], "path": "src/plugins/expressions/common/expression_functions/series_calculation_helpers.ts", "deprecated": false, @@ -26752,26 +26627,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }>" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" + } ], "path": "src/plugins/expressions/common/expression_types/specs/error.ts", "deprecated": false, @@ -27465,7 +27323,14 @@ "label": "rows", "description": [], "signature": [ - "Record[]" + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false @@ -27547,7 +27412,7 @@ "label": "type", "description": [], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\"" + "\"string\" | \"number\" | \"boolean\" | \"object\" | \"ip\" | \"nested\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"histogram\" | \"null\"" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false @@ -28424,7 +28289,7 @@ "\nTracks state of execution.\n\n- `not-started` - before .start() method was called.\n- `pending` - immediately after .start() method is called.\n- `result` - when expression execution completed.\n- `error` - when execution failed with error." ], "signature": [ - "\"result\" | \"error\" | \"not-started\" | \"pending\"" + "\"error\" | \"result\" | \"not-started\" | \"pending\"" ], "path": "src/plugins/expressions/common/execution/container.ts", "deprecated": false @@ -29685,7 +29550,6 @@ "\nName of type of value this function outputs." ], "signature": [ - "\"filter\" | \"date\" | ", { "pluginId": "expressions", "scope": "common", @@ -29717,7 +29581,15 @@ "section": "def-server.UnwrapPromiseOrReturn", "text": "UnwrapPromiseOrReturn" }, - "> | undefined" + "> | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | undefined" ], "path": "src/plugins/expressions/common/expression_functions/types.ts", "deprecated": false @@ -30795,10 +30667,6 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/public/application.tsx" }, - { - "plugin": "canvas", - "path": "x-pack/plugins/canvas/public/application.tsx" - }, { "plugin": "canvas", "path": "x-pack/plugins/canvas/server/routes/functions/functions.ts" @@ -31333,26 +31201,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | Output>>" + " | Output>>" ], "path": "src/plugins/expressions/common/service/expressions_services.ts", "deprecated": false, @@ -33053,7 +32905,7 @@ "\nThis type represents the `type` of any `DatatableColumn` in a `Datatable`.\nits duplicated from KBN_FIELD_TYPES" ], "signature": [ - "\"string\" | \"number\" | \"boolean\" | \"object\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"ip\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"nested\" | \"histogram\" | \"null\"" + "\"string\" | \"number\" | \"boolean\" | \"object\" | \"ip\" | \"nested\" | \"_source\" | \"attachment\" | \"date\" | \"geo_point\" | \"geo_shape\" | \"murmur3\" | \"unknown\" | \"conflict\" | \"histogram\" | \"null\"" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -33272,26 +33124,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }> | undefined; rawError?: any; duration: number | undefined; }" + " | undefined; rawError?: any; duration: number | undefined; }" ], "path": "src/plugins/expressions/common/ast/types.ts", "deprecated": false, @@ -33305,7 +33141,6 @@ "label": "ExpressionAstNode", "description": [], "signature": [ - "string | number | boolean | ", { "pluginId": "expressions", "scope": "common", @@ -33318,8 +33153,8 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionAstExpression", - "text": "ExpressionAstExpression" + "section": "def-common.ExpressionAstArgument", + "text": "ExpressionAstArgument" } ], "path": "src/plugins/expressions/common/ast/types.ts", @@ -33781,10 +33616,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>>, ", + ">, ", { "pluginId": "expressions", "scope": "common", @@ -34036,10 +33871,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueFilter", + "text": "ExpressionValueFilter" }, - "<\"filter\", any>[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" + "[]; to?: string | undefined; from?: string | undefined; query?: string | null | undefined; }" ], "path": "src/plugins/expressions/common/expression_types/specs/filter.ts", "deprecated": false, @@ -34282,7 +34117,15 @@ "section": "def-common.PointSeriesColumns", "text": "PointSeriesColumns" }, - "; rows: Record[]; }" + "; rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]; }" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -34298,7 +34141,7 @@ "\nAllowed column names in a PointSeries" ], "signature": [ - "\"size\" | \"y\" | \"color\" | \"x\" | \"text\"" + "\"color\" | \"y\" | \"x\" | \"size\" | \"text\"" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -34365,6 +34208,14 @@ "path": "src/plugins/expressions/common/expression_types/specs/render.ts", "deprecated": true, "references": [ + { + "plugin": "canvas", + "path": "x-pack/plugins/canvas/target/types/public/functions/index.d.ts" + }, + { + "plugin": "canvas", + "path": "x-pack/plugins/canvas/target/types/public/functions/index.d.ts" + }, { "plugin": "canvas", "path": "x-pack/plugins/canvas/types/state.ts" @@ -34689,7 +34540,14 @@ "\nThis can convert a type into a known Expression string representation of\nthat type. For example, `TypeToString` will resolve to `'datatable'`.\nThis allows Expression Functions to continue to specify their type in a\nsimple string format." ], "signature": [ - "\"filter\" | \"date\" | ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.UnmappedTypeStrings", + "text": "UnmappedTypeStrings" + }, + " | ", { "pluginId": "expressions", "scope": "common", @@ -34924,10 +34782,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: string; }; }>" + "<{ text: string; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/boolean.ts", "deprecated": false, @@ -35972,18 +35830,18 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.PointSeries", + "text": "PointSeries" }, - "<\"pointseries\", { columns: ", + ") => { type: \"datatable\"; meta: {}; rows: ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.PointSeriesColumns", - "text": "PointSeriesColumns" + "section": "def-common.DatatableRow", + "text": "DatatableRow" }, - "; rows: Record[]; }>) => { type: \"datatable\"; meta: {}; rows: Record[]; columns: { id: string; name: string; meta: { type: \"string\" | \"number\"; }; }[]; }" + "[]; columns: { id: string; name: string; meta: { type: \"string\" | \"number\"; }; }[]; }" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -36000,18 +35858,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"pointseries\", { columns: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.PointSeriesColumns", - "text": "PointSeriesColumns" - }, - "; rows: Record[]; }>" + "section": "def-common.PointSeries", + "text": "PointSeries" + } ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -36053,10 +35902,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: RenderedDatatable; }>" + "" ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -36105,18 +35954,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"pointseries\", { columns: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.PointSeriesColumns", - "text": "PointSeriesColumns" - }, - "; rows: Record[]; }>" + "section": "def-common.PointSeries", + "text": "PointSeries" + } ], "path": "src/plugins/expressions/common/expression_types/specs/datatable.ts", "deprecated": false, @@ -36616,58 +36456,26 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" }, - " | undefined; }>) => ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"render\", { as: string; value: Pick<", + ") => ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"error\", { error: ", + ", \"info\" | \"error\">; }>" + ", \"error\" | \"info\">>" ], "path": "src/plugins/expressions/common/expression_types/specs/error.ts", "deprecated": false, @@ -36684,26 +36492,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"error\", { error: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.ErrorLike", - "text": "ErrorLike" - }, - "; info?: ", - { - "pluginId": "@kbn/utility-types", - "scope": "server", - "docId": "kibKbnUtilityTypesPluginApi", - "section": "def-server.SerializableRecord", - "text": "SerializableRecord" - }, - " | undefined; }>" + "section": "def-common.ExpressionValueError", + "text": "ExpressionValueError" + } ], "path": "src/plugins/expressions/common/expression_types/specs/error.ts", "deprecated": false, @@ -37750,10 +37541,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: Pick<", + "; }>" + ", \"mode\" | \"dataurl\">>" ], "path": "src/plugins/expressions/common/expression_types/specs/image.ts", "deprecated": false, @@ -38044,7 +37835,7 @@ "label": "types", "description": [], "signature": [ - "(\"string\" | \"boolean\" | \"number\" | \"null\")[]" + "(\"number\" | \"string\" | \"boolean\" | \"null\")[]" ], "path": "src/plugins/expressions/common/expression_functions/specs/map_column.ts", "deprecated": false @@ -38197,7 +37988,15 @@ "section": "def-common.DatatableColumn", "text": "DatatableColumn" }, - "[]; rows: Record[]; type: \"datatable\"; }>" + "[]; rows: ", + { + "pluginId": "expressions", + "scope": "common", + "docId": "kibExpressionsPluginApi", + "section": "def-common.DatatableRow", + "text": "DatatableRow" + }, + "[]; type: \"datatable\"; }>" ], "path": "src/plugins/expressions/common/expression_functions/specs/map_column.ts", "deprecated": false, @@ -39524,18 +39323,18 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueNum", + "text": "ExpressionValueNum" }, - "<\"num\", { value: number; }>) => ", + ") => ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: string; }; }>" + "<{ text: string; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/num.ts", "deprecated": false, @@ -39552,10 +39351,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"num\", { value: number; }>" + "section": "def-common.ExpressionValueNum", + "text": "ExpressionValueNum" + } ], "path": "src/plugins/expressions/common/expression_types/specs/num.ts", "deprecated": false, @@ -39577,10 +39375,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueNum", + "text": "ExpressionValueNum" }, - "<\"num\", { value: number; }>) => ", + ") => ", { "pluginId": "expressions", "scope": "common", @@ -39604,10 +39402,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"num\", { value: number; }>" + "section": "def-common.ExpressionValueNum", + "text": "ExpressionValueNum" + } ], "path": "src/plugins/expressions/common/expression_types/specs/num.ts", "deprecated": false, @@ -39754,10 +39551,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: string; }; }>" + "<{ text: string; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/number.ts", "deprecated": false, @@ -40022,7 +39819,7 @@ "label": "options", "description": [], "signature": [ - "(\"min\" | \"max\" | \"sum\" | \"average\")[]" + "(\"sum\" | \"max\" | \"min\" | \"average\")[]" ], "path": "src/plugins/expressions/common/expression_functions/specs/overall_metric.ts", "deprecated": false @@ -40345,18 +40142,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.PointSeries", + "text": "PointSeries" }, - "<\"pointseries\", { columns: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.PointSeriesColumns", - "text": "PointSeriesColumns" - }, - "; rows: Record[]; }>, types: Record" + "; showHeader: boolean; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -40397,18 +40186,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"pointseries\", { columns: ", - { - "pluginId": "expressions", - "scope": "common", - "docId": "kibExpressionsPluginApi", - "section": "def-common.PointSeriesColumns", - "text": "PointSeriesColumns" - }, - "; rows: Record[]; }>" + "section": "def-common.PointSeries", + "text": "PointSeries" + } ], "path": "src/plugins/expressions/common/expression_types/specs/pointseries.ts", "deprecated": false, @@ -40906,10 +40686,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: string; }; }>" + "<{ text: string; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/range.ts", "deprecated": false, @@ -40988,10 +40768,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: T; }>" + "" ], "path": "src/plugins/expressions/common/expression_types/specs/render.ts", "deprecated": false, @@ -41064,18 +40844,18 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: unknown; }>) => { type: string; as: string; value: ", + ") => { type: string; as: string; value: ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: unknown; }>; }" + "; }" ], "path": "src/plugins/expressions/common/expression_types/specs/shape.ts", "deprecated": false, @@ -41092,10 +40872,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: unknown; }>" + "" ], "path": "src/plugins/expressions/common/expression_types/specs/shape.ts", "deprecated": false, @@ -41242,10 +41022,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: T; }; }>" + "<{ text: T; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/string.ts", "deprecated": false, @@ -41670,10 +41450,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>) => boolean" + ") => boolean" ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41690,10 +41470,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ui_setting\", { key: string; value: unknown; }>" + "section": "def-common.UiSetting", + "text": "UiSetting" + } ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41715,10 +41494,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>) => number" + ") => number" ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41735,10 +41514,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ui_setting\", { key: string; value: unknown; }>" + "section": "def-common.UiSetting", + "text": "UiSetting" + } ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41760,10 +41538,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>) => string" + ") => string" ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41780,10 +41558,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ui_setting\", { key: string; value: unknown; }>" + "section": "def-common.UiSetting", + "text": "UiSetting" + } ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41805,18 +41582,18 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>) => ", + ") => ", { "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.ExpressionValueRender", + "text": "ExpressionValueRender" }, - "<\"render\", { as: string; value: { text: string; }; }>" + "<{ text: string; }>" ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41833,10 +41610,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ui_setting\", { key: string; value: unknown; }>" + "section": "def-common.UiSetting", + "text": "UiSetting" + } ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, @@ -41858,10 +41634,10 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" + "section": "def-common.UiSetting", + "text": "UiSetting" }, - "<\"ui_setting\", { key: string; value: unknown; }>) => ", + ") => ", { "pluginId": "expressions", "scope": "common", @@ -41885,10 +41661,9 @@ "pluginId": "expressions", "scope": "common", "docId": "kibExpressionsPluginApi", - "section": "def-common.ExpressionValueBoxed", - "text": "ExpressionValueBoxed" - }, - "<\"ui_setting\", { key: string; value: unknown; }>" + "section": "def-common.UiSetting", + "text": "UiSetting" + } ], "path": "src/plugins/expressions/common/expression_types/specs/ui_setting.ts", "deprecated": false, diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index 1df898be0e6f00..305319b69aa290 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2102 | 26 | 1656 | 3 | +| 2104 | 26 | 1658 | 3 | ## Client diff --git a/api_docs/features.json b/api_docs/features.json index df4d2f2ec06d53..c53ca8a43a172d 100644 --- a/api_docs/features.json +++ b/api_docs/features.json @@ -61,7 +61,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" ], "path": "x-pack/plugins/features/common/kibana_feature.ts", "deprecated": false, @@ -741,7 +741,7 @@ "section": "def-common.SubFeaturePrivilegeConfig", "text": "SubFeaturePrivilegeConfig" }, - " extends Pick<", + " extends Omit<", { "pluginId": "features", "scope": "common", @@ -749,7 +749,7 @@ "section": "def-common.FeatureKibanaPrivileges", "text": "FeatureKibanaPrivileges" }, - ", \"management\" | \"catalogue\" | \"alerting\" | \"ui\" | \"app\" | \"cases\" | \"api\" | \"savedObject\">" + ", \"excludeFromBasePrivileges\">" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false, @@ -788,7 +788,7 @@ "\nDenotes which Primary Feature Privilege this sub-feature privilege should be included in.\n`read` is also included in `all` automatically." ], "signature": [ - "\"none\" | \"all\" | \"read\"" + "\"all\" | \"none\" | \"read\"" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false @@ -1091,7 +1091,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" ], "path": "x-pack/plugins/features/common/kibana_feature.ts", "deprecated": false, @@ -2518,7 +2518,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>[] | undefined; privilegesTooltip?: string | undefined; reserved?: Readonly<{ description: string; privileges: readonly Readonly<{ id: string; privilege: Readonly<{ excludeFromBasePrivileges?: boolean | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; api?: readonly string[] | undefined; app?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; ui: readonly string[]; }>; }>[]; }> | undefined; }>" ], "path": "x-pack/plugins/features/common/kibana_feature.ts", "deprecated": false, @@ -2751,7 +2751,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }>" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false, @@ -2786,7 +2786,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false @@ -2807,7 +2807,7 @@ "section": "def-common.SubFeaturePrivilegeGroupType", "text": "SubFeaturePrivilegeGroupType" }, - "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"none\" | \"all\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; ui: readonly string[]; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }" + "; privileges: readonly Readonly<{ id: string; name: string; includeIn: \"all\" | \"none\" | \"read\"; minimumLicense?: \"basic\" | \"standard\" | \"gold\" | \"platinum\" | \"enterprise\" | \"trial\" | undefined; management?: Readonly<{ [x: string]: readonly string[]; }> | undefined; catalogue?: readonly string[] | undefined; ui: readonly string[]; alerting?: Readonly<{ rule?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; alert?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; }> | undefined; app?: readonly string[] | undefined; cases?: Readonly<{ all?: readonly string[] | undefined; read?: readonly string[] | undefined; }> | undefined; api?: readonly string[] | undefined; savedObject: Readonly<{ all: readonly string[]; read: readonly string[]; }>; }>[]; }>[]; }" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false, @@ -3471,7 +3471,7 @@ "section": "def-common.SubFeaturePrivilegeConfig", "text": "SubFeaturePrivilegeConfig" }, - " extends Pick<", + " extends Omit<", { "pluginId": "features", "scope": "common", @@ -3479,7 +3479,7 @@ "section": "def-common.FeatureKibanaPrivileges", "text": "FeatureKibanaPrivileges" }, - ", \"management\" | \"catalogue\" | \"alerting\" | \"ui\" | \"app\" | \"cases\" | \"api\" | \"savedObject\">" + ", \"excludeFromBasePrivileges\">" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false, @@ -3518,7 +3518,7 @@ "\nDenotes which Primary Feature Privilege this sub-feature privilege should be included in.\n`read` is also included in `all` automatically." ], "signature": [ - "\"none\" | \"all\" | \"read\"" + "\"all\" | \"none\" | \"read\"" ], "path": "x-pack/plugins/features/common/sub_feature.ts", "deprecated": false diff --git a/api_docs/features.mdx b/api_docs/features.mdx index 9e1e64c0c7937a..05d5b10dae2ce4 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -16,7 +16,7 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 216 | 0 | 98 | 2 | diff --git a/api_docs/field_formats.json b/api_docs/field_formats.json index db9f9604b04740..1ff1510780fb9a 100644 --- a/api_docs/field_formats.json +++ b/api_docs/field_formats.json @@ -66,13 +66,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/public/lib/converters/date.ts", "deprecated": false @@ -183,13 +177,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/date_nanos_shared.ts", "deprecated": false @@ -312,7 +300,7 @@ "label": "FieldFormatsStart", "description": [], "signature": [ - "Pick<", + "Omit<", { "pluginId": "fieldFormats", "scope": "common", @@ -320,7 +308,7 @@ "section": "def-common.FieldFormatsRegistry", "text": "FieldFormatsRegistry" }, - ", \"deserialize\" | \"getDefaultConfig\" | \"getType\" | \"getTypeWithoutMetaParams\" | \"getDefaultType\" | \"getTypeNameByEsTypes\" | \"getDefaultTypeName\" | \"getInstance\" | \"getDefaultInstancePlain\" | \"getDefaultInstanceCacheResolver\" | \"getByFieldType\" | \"getDefaultInstance\" | \"parseDefaultTypeMap\" | \"has\"> & { deserialize: ", + ", \"init\" | \"register\"> & { deserialize: ", { "pluginId": "fieldFormats", "scope": "common", @@ -402,13 +390,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/server/lib/converters/date_server.ts", "deprecated": false @@ -621,7 +603,9 @@ "type": "CompoundType", "tags": [], "label": "fieldFormat", - "description": [], + "description": [ + "{@link FieldFormatInstanceType }" + ], "signature": [ { "pluginId": "fieldFormats", @@ -690,7 +674,7 @@ "tags": [], "label": "uiSettings", "description": [ - "- {@link IUiSettingsClient}" + "- {@link IUiSettingsClient }" ], "signature": [ { @@ -779,13 +763,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/field_formats/common/converters/boolean.ts", @@ -799,9 +777,7 @@ "label": "textConvert", "description": [], "signature": [ - "(value: ", - "PhraseFilterValue", - ") => string" + "(value: string | number | boolean) => string" ], "path": "src/plugins/field_formats/common/converters/boolean.ts", "deprecated": false, @@ -814,7 +790,7 @@ "label": "value", "description": [], "signature": [ - "PhraseFilterValue" + "string | number | boolean" ], "path": "src/plugins/field_formats/common/converters/boolean.ts", "deprecated": false, @@ -982,13 +958,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/field_formats/common/converters/color.tsx", @@ -1136,13 +1106,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/duration.ts", "deprecated": false @@ -2202,21 +2166,9 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -2239,13 +2191,7 @@ "- the field type" ], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2261,13 +2207,7 @@ "- Array of ES data types" ], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2372,21 +2312,9 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -2408,13 +2336,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2430,13 +2352,7 @@ "- Array of ES data types" ], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2459,21 +2375,9 @@ ], "signature": [ "(esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2489,13 +2393,7 @@ "- Array of ES data types" ], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2518,37 +2416,13 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2561,13 +2435,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2581,13 +2449,7 @@ "label": "esTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2679,21 +2541,9 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", @@ -2722,13 +2572,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2742,13 +2586,7 @@ "label": "esTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -2791,22 +2629,10 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, - ", esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, - "[]) => string" + "KBN_FIELD_TYPES", + ", esTypes?: ", + "ES_FIELD_TYPES", + "[] | undefined) => string" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2819,13 +2645,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2839,18 +2659,12 @@ "label": "esTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, - "[]" + "ES_FIELD_TYPES", + "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, - "isRequired": true + "isRequired": false } ], "returnComment": [] @@ -2868,13 +2682,7 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ") => ", { "pluginId": "fieldFormats", @@ -2896,13 +2704,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2924,21 +2726,9 @@ ], "signature": [ "(fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", @@ -2967,13 +2757,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", "deprecated": false, @@ -2987,13 +2771,7 @@ "label": "esTypes", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined" ], "path": "src/plugins/field_formats/common/field_formats_registry.ts", @@ -3203,13 +2981,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/histogram.ts", "deprecated": false @@ -3375,13 +3147,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/ip.ts", "deprecated": false @@ -3712,13 +3478,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/relative_date.ts", "deprecated": false @@ -3820,13 +3580,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/field_formats/common/converters/static_lookup.ts", @@ -3944,13 +3698,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/field_formats/common/converters/string.ts", @@ -4140,13 +3888,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - } + "KBN_FIELD_TYPES" ], "path": "src/plugins/field_formats/common/converters/truncate.ts", "deprecated": false @@ -4248,13 +3990,7 @@ "label": "fieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "[]" ], "path": "src/plugins/field_formats/common/converters/url.ts", @@ -4824,16 +4560,16 @@ "pluginId": "fieldFormats", "scope": "common", "docId": "kibFieldFormatsPluginApi", - "section": "def-common.TextContextTypeConvert", - "text": "TextContextTypeConvert" + "section": "def-common.HtmlContextTypeConvert", + "text": "HtmlContextTypeConvert" }, " | ", { "pluginId": "fieldFormats", "scope": "common", "docId": "kibFieldFormatsPluginApi", - "section": "def-common.HtmlContextTypeConvert", - "text": "HtmlContextTypeConvert" + "section": "def-common.TextContextTypeConvert", + "text": "TextContextTypeConvert" } ], "path": "src/plugins/field_formats/common/types.ts", @@ -5005,21 +4741,9 @@ "text": "FormatFactory" }, "; getDefaultConfig: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -5045,21 +4769,9 @@ "text": "FieldFormatInstanceType" }, " | undefined; getDefaultType: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -5069,53 +4781,17 @@ "text": "FieldFormatInstanceType" }, " | undefined; getTypeNameByEsTypes: (esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | undefined; getDefaultTypeName: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "; getInstance: (formatId: string, params?: ", { "pluginId": "fieldFormats", @@ -5133,21 +4809,9 @@ "text": "FieldFormat" }, "; getDefaultInstancePlain: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", @@ -5165,29 +4829,11 @@ "text": "FieldFormat" }, "; getDefaultInstanceCacheResolver: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, - ", esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, - "[]) => string; getByFieldType: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", + ", esTypes?: ", + "ES_FIELD_TYPES", + "[] | undefined) => string; getByFieldType: (fieldType: ", + "KBN_FIELD_TYPES", ") => ", { "pluginId": "fieldFormats", @@ -5197,21 +4843,9 @@ "text": "FieldFormatInstanceType" }, "[]; getDefaultInstance: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", @@ -5412,15 +5046,7 @@ "label": "IFieldFormatsRegistry", "description": [], "signature": [ - "{ deserialize: ", - { - "pluginId": "fieldFormats", - "scope": "common", - "docId": "kibFieldFormatsPluginApi", - "section": "def-common.FormatFactory", - "text": "FormatFactory" - }, - "; init: (getConfig: ", + "{ init: (getConfig: ", { "pluginId": "fieldFormats", "scope": "common", @@ -5452,22 +5078,18 @@ "section": "def-common.FieldFormatInstanceType", "text": "FieldFormatInstanceType" }, - "[]) => void; getDefaultConfig: (fieldType: ", + "[]) => void; deserialize: ", { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" + "pluginId": "fieldFormats", + "scope": "common", + "docId": "kibFieldFormatsPluginApi", + "section": "def-common.FormatFactory", + "text": "FormatFactory" }, + "; getDefaultConfig: (fieldType: ", + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -5493,21 +5115,9 @@ "text": "FieldFormatInstanceType" }, " | undefined; getDefaultType: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", { "pluginId": "fieldFormats", @@ -5517,53 +5127,17 @@ "text": "FieldFormatInstanceType" }, " | undefined; getTypeNameByEsTypes: (esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | undefined; getDefaultTypeName: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined) => ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", " | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", "; getInstance: (formatId: string, params?: ", { "pluginId": "fieldFormats", @@ -5581,21 +5155,9 @@ "text": "FieldFormat" }, "; getDefaultInstancePlain: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", @@ -5613,29 +5175,11 @@ "text": "FieldFormat" }, "; getDefaultInstanceCacheResolver: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, - ", esTypes: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, - "[]) => string; getByFieldType: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", + ", esTypes?: ", + "ES_FIELD_TYPES", + "[] | undefined) => string; getByFieldType: (fieldType: ", + "KBN_FIELD_TYPES", ") => ", { "pluginId": "fieldFormats", @@ -5645,21 +5189,9 @@ "text": "FieldFormatInstanceType" }, "[]; getDefaultInstance: (fieldType: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.KBN_FIELD_TYPES", - "text": "KBN_FIELD_TYPES" - }, + "KBN_FIELD_TYPES", ", esTypes?: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", "[] | undefined, params?: ", { "pluginId": "fieldFormats", diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 9d52c2294a37a2..c88dc64a6ad66e 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -16,9 +16,9 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 278 | 6 | 240 | 3 | +| 278 | 6 | 239 | 3 | ## Client diff --git a/api_docs/file_upload.json b/api_docs/file_upload.json index 27970f0233855e..648cbcf1cc3c2c 100644 --- a/api_docs/file_upload.json +++ b/api_docs/file_upload.json @@ -293,21 +293,9 @@ "label": "geoFieldType", "description": [], "signature": [ - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".GEO_POINT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".GEO_SHAPE" ], "path": "x-pack/plugins/file_upload/public/lazy_load_bundle/index.ts", @@ -1113,253 +1101,67 @@ "description": [], "signature": [ "{ properties: { [fieldName: string]: { type: ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".STRING | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".TEXT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".KEYWORD | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".VERSION | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".BOOLEAN | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".OBJECT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".DATE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".DATE_NANOS | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".DATE_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".GEO_POINT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".GEO_SHAPE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".FLOAT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".HALF_FLOAT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".SCALED_FLOAT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".DOUBLE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".INTEGER | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".LONG | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".SHORT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".UNSIGNED_LONG | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".FLOAT_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".DOUBLE_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".INTEGER_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".LONG_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".NESTED | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".BYTE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".IP | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".IP_RANGE | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".ATTACHMENT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".TOKEN_COUNT | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".MURMUR3 | ", - { - "pluginId": "@kbn/field-types", - "scope": "server", - "docId": "kibKbnFieldTypesPluginApi", - "section": "def-server.ES_FIELD_TYPES", - "text": "ES_FIELD_TYPES" - }, + "ES_FIELD_TYPES", ".HISTOGRAM; format?: string | undefined; }; }; }" ], "path": "x-pack/plugins/file_upload/common/types.ts", diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index c1dafcbc99bc33..542fd4bd168a64 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -16,7 +16,7 @@ Contact [Machine Learning UI](https://github.com/orgs/elastic/teams/ml-ui) for q **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 129 | 2 | 129 | 1 | diff --git a/api_docs/fleet.json b/api_docs/fleet.json index 1024aa69a59c88..07cc158a929439 100644 --- a/api_docs/fleet.json +++ b/api_docs/fleet.json @@ -301,7 +301,23 @@ "supported query params for onSaveNavigateTo path" ], "signature": [ - "{ showAddAgentHelp?: boolean | { renameKey?: string | undefined; policyIdAsValue?: boolean | undefined; } | undefined; openEnrollmentFlyout?: boolean | { renameKey?: string | undefined; policyIdAsValue?: boolean | undefined; } | undefined; } | undefined" + "{ showAddAgentHelp?: ", + { + "pluginId": "fleet", + "scope": "public", + "docId": "kibFleetPluginApi", + "section": "def-public.OnSaveQueryParamOpts", + "text": "OnSaveQueryParamOpts" + }, + " | undefined; openEnrollmentFlyout?: ", + { + "pluginId": "fleet", + "scope": "public", + "docId": "kibFleetPluginApi", + "section": "def-public.OnSaveQueryParamOpts", + "text": "OnSaveQueryParamOpts" + }, + " | undefined; } | undefined" ], "path": "x-pack/plugins/fleet/public/types/intra_app_route_state.ts", "deprecated": false @@ -383,6 +399,19 @@ "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-public.NewPackagePolicy.id", + "type": "CompoundType", + "tags": [], + "label": "id", + "description": [], + "signature": [ + "string | number | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-public.NewPackagePolicy.name", @@ -494,15 +523,14 @@ "label": "vars", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -566,7 +594,15 @@ "label": "Component", "description": [], "signature": [ - "React.ExoticComponent<{ children?: React.ReactNode; } | React.RefAttributes>> & { readonly _result: React.ComponentType<{}>; }" + "React.ExoticComponent<{ children?: React.ReactNode; } | React.RefAttributes>> & { readonly _result: ", + { + "pluginId": "fleet", + "scope": "public", + "docId": "kibFleetPluginApi", + "section": "def-public.PackageAssetsComponent", + "text": "PackageAssetsComponent" + }, + "; }" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false, @@ -649,7 +685,7 @@ "section": "def-public.PackageCustomExtensionComponentProps", "text": "PackageCustomExtensionComponentProps" }, - ", any, any>>) | React.PropsWithChildren<", + ", any, any>>) | (", { "pluginId": "fleet", "scope": "public", @@ -657,15 +693,15 @@ "section": "def-public.PackageCustomExtensionComponentProps", "text": "PackageCustomExtensionComponentProps" }, - ">> & { readonly _result: React.ComponentType<", + " & { children?: React.ReactNode; })> & { readonly _result: ", { "pluginId": "fleet", "scope": "public", "docId": "kibFleetPluginApi", - "section": "def-public.PackageCustomExtensionComponentProps", - "text": "PackageCustomExtensionComponentProps" + "section": "def-public.PackageCustomExtensionComponent", + "text": "PackageCustomExtensionComponent" }, - ">; }" + "; }" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false, @@ -723,80 +759,8 @@ "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" + "section": "def-common.Installable", + "text": "Installable" }, "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" + "section": "def-common.Installable", + "text": "Installable" }, ">) | React.PropsWithChildren<", + ", any, any>>) | (", { "pluginId": "fleet", "scope": "public", @@ -985,15 +877,15 @@ "section": "def-public.PackagePolicyCreateExtensionComponentProps", "text": "PackagePolicyCreateExtensionComponentProps" }, - ">> & { readonly _result: React.ComponentType<", + " & { children?: React.ReactNode; })> & { readonly _result: ", { "pluginId": "fleet", "scope": "public", "docId": "kibFleetPluginApi", - "section": "def-public.PackagePolicyCreateExtensionComponentProps", - "text": "PackagePolicyCreateExtensionComponentProps" + "section": "def-public.PackagePolicyCreateExtensionComponent", + "text": "PackagePolicyCreateExtensionComponent" }, - ">; }" + "; }" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false, @@ -1194,7 +1086,7 @@ "section": "def-public.PackagePolicyEditExtensionComponentProps", "text": "PackagePolicyEditExtensionComponentProps" }, - ", any, any>>) | React.PropsWithChildren<", + ", any, any>>) | (", { "pluginId": "fleet", "scope": "public", @@ -1202,15 +1094,15 @@ "section": "def-public.PackagePolicyEditExtensionComponentProps", "text": "PackagePolicyEditExtensionComponentProps" }, - ">> & { readonly _result: React.ComponentType<", + " & { children?: React.ReactNode; })> & { readonly _result: ", { "pluginId": "fleet", "scope": "public", "docId": "kibFleetPluginApi", - "section": "def-public.PackagePolicyEditExtensionComponentProps", - "text": "PackagePolicyEditExtensionComponentProps" + "section": "def-public.PackagePolicyEditExtensionComponent", + "text": "PackagePolicyEditExtensionComponent" }, - ">; }" + "; }" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false, @@ -1341,7 +1233,7 @@ "The updated Integration Policy to be merged back and included in the API call" ], "signature": [ - "{ name?: string | undefined; description?: string | undefined; namespace?: string | undefined; enabled?: boolean | undefined; policy_id?: string | undefined; output_id?: string | undefined; package?: ", + "{ id?: string | number | undefined; name?: string | undefined; description?: string | undefined; namespace?: string | undefined; enabled?: boolean | undefined; policy_id?: string | undefined; output_id?: string | undefined; package?: ", { "pluginId": "fleet", "scope": "common", @@ -1357,15 +1249,15 @@ "section": "def-common.NewPackagePolicyInput", "text": "NewPackagePolicyInput" }, - "[] | undefined; vars?: Record | undefined; elasticsearch?: { privileges?: { cluster?: string[] | undefined; } | undefined; } | undefined; }" + " | undefined; elasticsearch?: { privileges?: { cluster?: string[] | undefined; } | undefined; } | undefined; }" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false @@ -1421,15 +1313,15 @@ "label": "tabs", "description": [], "signature": [ - "{ title: string; Component: React.LazyExoticComponent>; }[]" + ">; }[]" ], "path": "x-pack/plugins/fleet/public/types/ui_extensions.ts", "deprecated": false @@ -2476,6 +2368,53 @@ "deprecated": false, "children": [], "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-public.pagePathGetters.settings_edit_outputs", + "type": "Function", + "tags": [], + "label": "settings_edit_outputs", + "description": [], + "signature": [ + "({ outputId }: ", + "DynamicPagePathValues", + ") => [string, string]" + ], + "path": "x-pack/plugins/fleet/public/constants/page_paths.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-public.pagePathGetters.settings_edit_outputs.$1", + "type": "Object", + "tags": [], + "label": "{ outputId }", + "description": [], + "signature": [ + "DynamicPagePathValues" + ], + "path": "x-pack/plugins/fleet/public/constants/page_paths.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-public.pagePathGetters.settings_create_outputs", + "type": "Function", + "tags": [], + "label": "settings_create_outputs", + "description": [], + "signature": [ + "() => [string, string]" + ], + "path": "x-pack/plugins/fleet/public/constants/page_paths.ts", + "deprecated": false, + "children": [], + "returnComment": [] } ], "initialIsOpen": false @@ -2506,6 +2445,29 @@ "path": "x-pack/plugins/fleet/public/plugin.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-public.FleetStart.authz", + "type": "Object", + "tags": [], + "label": "authz", + "description": [ + "Authorization for the current user" + ], + "signature": [ + "Promise<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.FleetAuthz", + "text": "FleetAuthz" + }, + ">" + ], + "path": "x-pack/plugins/fleet/public/plugin.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-public.FleetStart.registerExtension", @@ -2633,6 +2595,29 @@ "deprecated": false, "children": [], "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-server.FleetUnauthorizedError", + "type": "Class", + "tags": [], + "label": "FleetUnauthorizedError", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "server", + "docId": "kibFleetPluginApi", + "section": "def-server.FleetUnauthorizedError", + "text": "FleetUnauthorizedError" + }, + " extends ", + "IngestManagerError" + ], + "path": "x-pack/plugins/fleet/server/errors/index.ts", + "deprecated": false, + "children": [], + "initialIsOpen": false } ], "functions": [ @@ -2695,31 +2680,212 @@ "interfaces": [ { "parentPluginId": "fleet", - "id": "def-server.AgentPolicyServiceInterface", + "id": "def-server.AgentClient", "type": "Interface", "tags": [], - "label": "AgentPolicyServiceInterface", - "description": [], - "path": "x-pack/plugins/fleet/server/services/index.ts", + "label": "AgentClient", + "description": [ + "\nA client for interacting with data about an Agent\n" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", "deprecated": false, "children": [ { "parentPluginId": "fleet", - "id": "def-server.AgentPolicyServiceInterface.get", + "id": "def-server.AgentClient.getAgent", "type": "Function", "tags": [], - "label": "get", - "description": [], + "label": "getAgent", + "description": [ + "\nGet an Agent by id" + ], + "signature": [ + "(agentId: string) => Promise<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.Agent", + "text": "Agent" + }, + ">" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgent.$1", + "type": "string", + "tags": [], + "label": "agentId", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgentStatusById", + "type": "Function", + "tags": [], + "label": "getAgentStatusById", + "description": [ + "\nReturn the status by the Agent's id" + ], + "signature": [ + "(agentId: string) => Promise<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.AgentStatus", + "text": "AgentStatus" + }, + ">" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgentStatusById.$1", + "type": "string", + "tags": [], + "label": "agentId", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgentStatusForAgentPolicy", + "type": "Function", + "tags": [], + "label": "getAgentStatusForAgentPolicy", + "description": [ + "\nReturn the status by the Agent's Policy id" + ], + "signature": [ + "(agentPolicyId?: string | undefined, filterKuery?: string | undefined) => Promise<{ events: number; total: number; online: number; error: number; offline: number; other: number; updating: number; }>" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgentStatusForAgentPolicy.$1", + "type": "string", + "tags": [], + "label": "agentPolicyId", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "isRequired": false + }, + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.getAgentStatusForAgentPolicy.$2", + "type": "string", + "tags": [], + "label": "filterKuery", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.listAgents", + "type": "Function", + "tags": [], + "label": "listAgents", + "description": [ + "\nList agents" + ], + "signature": [ + "(options: Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { showInactive: boolean; }) => Promise<{ agents: ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.Agent", + "text": "Agent" + }, + "[]; total: number; page: number; perPage: number; }>" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.AgentClient.listAgents.$1", + "type": "CompoundType", + "tags": [], + "label": "options", + "description": [], + "signature": [ + "Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { showInactive: boolean; }" + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-server.AgentPolicyServiceInterface", + "type": "Interface", + "tags": [], + "label": "AgentPolicyServiceInterface", + "description": [], + "path": "x-pack/plugins/fleet/server/services/index.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.AgentPolicyServiceInterface.get", + "type": "Function", + "tags": [], + "label": "get", + "description": [], "signature": [ - "(soClient: Pick<", + "(soClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, id: string, withPackagePolicies?: boolean) => Promise<", + ", id: string, withPackagePolicies?: boolean) => Promise<", { "pluginId": "fleet", "scope": "common", @@ -3033,15 +3199,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -3100,15 +3266,15 @@ "label": "list", "description": [], "signature": [ - "(soClient: Pick<", + "(soClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, options: Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { withPackagePolicies?: boolean | undefined; }) => Promise<{ items: ", + ", options: Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { withPackagePolicies?: boolean | undefined; }) => Promise<{ items: ", { "pluginId": "fleet", "scope": "common", @@ -3422,15 +3588,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -3482,15 +3648,15 @@ "label": "getDefaultAgentPolicyId", "description": [], "signature": [ - "(soClient: Pick<", + "(soClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">) => Promise" + ") => Promise" ], "path": "x-pack/plugins/fleet/server/services/index.ts", "deprecated": false, @@ -3796,15 +3962,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -3843,15 +4009,15 @@ "label": "getFullAgentPolicy", "description": [], "signature": [ - "(soClient: Pick<", + "(soClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, id: string, options?: { standalone: boolean; } | undefined) => Promise<", + ", id: string, options?: { standalone: boolean; } | undefined) => Promise<", { "pluginId": "fleet", "scope": "common", @@ -4165,15 +4331,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -4235,15 +4401,15 @@ "label": "getByIds", "description": [], "signature": [ - "(soClient: Pick<", + "(soClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, ids: string[], options?: { fields?: string[] | undefined; }) => Promise<", + ", ids: string[], options?: { fields?: string[] | undefined; }) => Promise<", { "pluginId": "fleet", "scope": "common", @@ -4557,15 +4723,15 @@ "section": "def-server.SavedObjectsClosePointInTimeResponse", "text": "SavedObjectsClosePointInTimeResponse" }, - ">; createPointInTimeFinder: (findOptions: Pick<", + ">; createPointInTimeFinder: (findOptions: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsFindOptions", - "text": "SavedObjectsFindOptions" + "section": "def-server.SavedObjectsCreatePointInTimeFinderOptions", + "text": "SavedObjectsCreatePointInTimeFinderOptions" }, - ", \"type\" | \"filter\" | \"aggs\" | \"fields\" | \"perPage\" | \"sortField\" | \"sortOrder\" | \"search\" | \"searchFields\" | \"rootSearchFields\" | \"hasReference\" | \"hasReferenceOperator\" | \"defaultSearchOperator\" | \"namespaces\" | \"typeToNamespacesMap\" | \"preference\">, dependencies?: ", + ", dependencies?: ", { "pluginId": "core", "scope": "server", @@ -4632,138 +4798,59 @@ "tags": [], "label": "AgentService", "description": [ - "\nA service that provides exported functions that return information about an Agent" + "\nA service for interacting with Agent data. See {@link AgentClient} for more information.\n" ], - "path": "x-pack/plugins/fleet/server/services/index.ts", + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", "deprecated": false, "children": [ { "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgent", + "id": "def-server.AgentService.asScoped", "type": "Function", "tags": [], - "label": "getAgent", + "label": "asScoped", "description": [ - "\nGet an Agent by id" + "\nShould be used for end-user requests to Kibana. APIs will return errors if user does not have appropriate access." ], "signature": [ - "(esClient: ", + "(req: ", { "pluginId": "core", "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" }, - ", agentId: string) => Promise<", + ") => ", { "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Agent", - "text": "Agent" - }, - ">" - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "returnComment": [], - "children": [ - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgent.$1", - "type": "CompoundType", - "tags": [], - "label": "esClient", - "description": [], - "signature": [ - "Pick<", - "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", - "TransportRequestParams", - ", options?: ", - "TransportRequestOptions", - " | undefined): Promise<", - "TransportResult", - ">; }; }" - ], - "path": "x-pack/plugins/fleet/server/services/agents/crud.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgent.$2", - "type": "string", - "tags": [], - "label": "agentId", - "description": [], - "path": "x-pack/plugins/fleet/server/services/agents/crud.ts", - "deprecated": false - } - ] - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusById", - "type": "Function", - "tags": [], - "label": "getAgentStatusById", - "description": [ - "\nReturn the status by the Agent's id" - ], - "signature": [ - "(esClient: ", - { - "pluginId": "core", "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" - }, - ", agentId: string) => Promise<", - { - "pluginId": "fleet", - "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.AgentStatus", - "text": "AgentStatus" - }, - ">" + "section": "def-server.AgentClient", + "text": "AgentClient" + } ], - "path": "x-pack/plugins/fleet/server/services/index.ts", + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", "deprecated": false, "children": [ { "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusById.$1", - "type": "CompoundType", + "id": "def-server.AgentService.asScoped.$1", + "type": "Object", "tags": [], - "label": "esClient", + "label": "req", "description": [], "signature": [ { "pluginId": "core", "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" - } - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusById.$2", - "type": "string", - "tags": [], - "label": "agentId", - "description": [], - "signature": [ - "string" + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + "" ], - "path": "x-pack/plugins/fleet/server/services/index.ts", + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", "deprecated": false, "isRequired": true } @@ -4772,145 +4859,24 @@ }, { "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusForAgentPolicy", - "type": "Function", + "id": "def-server.AgentService.asInternalUser", + "type": "Object", "tags": [], - "label": "getAgentStatusForAgentPolicy", - "description": [ - "\nReturn the status by the Agent's Policy id" - ], - "signature": [ - "(esClient: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" - }, - ", agentPolicyId?: string | undefined, filterKuery?: string | undefined) => Promise<{ events: number; total: number; online: number; error: number; offline: number; other: number; updating: number; }>" - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusForAgentPolicy.$1", - "type": "CompoundType", - "tags": [], - "label": "esClient", - "description": [], - "signature": [ - { - "pluginId": "core", - "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" - } - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusForAgentPolicy.$2", - "type": "string", - "tags": [], - "label": "agentPolicyId", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "isRequired": false - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.getAgentStatusForAgentPolicy.$3", - "type": "string", - "tags": [], - "label": "filterKuery", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [] - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.listAgents", - "type": "Function", - "tags": [], - "label": "listAgents", + "label": "asInternalUser", "description": [ - "\nList agents" + "\nOnly use for server-side usages (eg. telemetry), should not be used for end users unless an explicit authz check is\ndone." ], "signature": [ - "(esClient: ", - { - "pluginId": "core", - "scope": "server", - "docId": "kibCorePluginApi", - "section": "def-server.ElasticsearchClient", - "text": "ElasticsearchClient" - }, - ", options: Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { showInactive: boolean; }) => Promise<{ agents: ", { "pluginId": "fleet", - "scope": "common", + "scope": "server", "docId": "kibFleetPluginApi", - "section": "def-common.Agent", - "text": "Agent" - }, - "[]; total: number; page: number; perPage: number; }>" - ], - "path": "x-pack/plugins/fleet/server/services/index.ts", - "deprecated": false, - "returnComment": [], - "children": [ - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.listAgents.$1", - "type": "CompoundType", - "tags": [], - "label": "esClient", - "description": [], - "signature": [ - "Pick<", - "KibanaClient", - ", \"name\" | \"create\" | \"index\" | \"delete\" | \"get\" | \"update\" | \"closePointInTime\" | \"search\" | \"security\" | \"transform\" | \"eql\" | \"helpers\" | \"asyncSearch\" | \"autoscaling\" | \"bulk\" | \"cat\" | \"ccr\" | \"clearScroll\" | \"cluster\" | \"count\" | \"danglingIndices\" | \"deleteByQuery\" | \"deleteByQueryRethrottle\" | \"deleteScript\" | \"enrich\" | \"exists\" | \"existsSource\" | \"explain\" | \"features\" | \"fieldCaps\" | \"fleet\" | \"getScript\" | \"getScriptContext\" | \"getScriptLanguages\" | \"getSource\" | \"graph\" | \"ilm\" | \"indices\" | \"info\" | \"ingest\" | \"knnSearch\" | \"license\" | \"logstash\" | \"mget\" | \"migration\" | \"ml\" | \"monitoring\" | \"msearch\" | \"msearchTemplate\" | \"mtermvectors\" | \"nodes\" | \"openPointInTime\" | \"ping\" | \"putScript\" | \"rankEval\" | \"reindex\" | \"reindexRethrottle\" | \"renderSearchTemplate\" | \"rollup\" | \"scriptsPainlessExecute\" | \"scroll\" | \"searchMvt\" | \"searchShards\" | \"searchTemplate\" | \"searchableSnapshots\" | \"shutdown\" | \"slm\" | \"snapshot\" | \"sql\" | \"ssl\" | \"tasks\" | \"termsEnum\" | \"termvectors\" | \"textStructure\" | \"updateByQuery\" | \"updateByQueryRethrottle\" | \"watcher\" | \"xpack\"> & { transport: { request(params: ", - "TransportRequestParams", - ", options?: ", - "TransportRequestOptions", - " | undefined): Promise<", - "TransportResult", - ">; }; }" - ], - "path": "x-pack/plugins/fleet/server/services/agents/crud.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-server.AgentService.listAgents.$2", - "type": "CompoundType", - "tags": [], - "label": "options", - "description": [], - "signature": [ - "Readonly<{ page?: number | undefined; perPage?: number | undefined; sortField?: string | undefined; sortOrder?: \"asc\" | \"desc\" | undefined; kuery?: any; showUpgradeable?: boolean | undefined; } & {}> & { showInactive: boolean; }" - ], - "path": "x-pack/plugins/fleet/server/services/agents/crud.ts", - "deprecated": false + "section": "def-server.AgentClient", + "text": "AgentClient" } - ] + ], + "path": "x-pack/plugins/fleet/server/services/agents/agent_service.ts", + "deprecated": false } ], "initialIsOpen": false @@ -5148,15 +5114,9 @@ "label": "encodeContent", "description": [], "signature": [ - "(content: string) => Promise>" + "(content: string) => Promise<", + "ArtifactEncodedMetadata", + ">" ], "path": "x-pack/plugins/fleet/server/services/artifacts/types.ts", "deprecated": false, @@ -5231,15 +5191,15 @@ "label": "getESIndexPattern", "description": [], "signature": [ - "(savedObjectsClient: Pick<", + "(savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">, pkgName: string, datasetPath: string) => Promise" + ", pkgName: string, datasetPath: string) => Promise" ], "path": "x-pack/plugins/fleet/server/services/index.ts", "deprecated": false, @@ -5252,15 +5212,13 @@ "label": "savedObjectsClient", "description": [], "signature": [ - "Pick<", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" - }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" + } ], "path": "x-pack/plugins/fleet/server/services/index.ts", "deprecated": false, @@ -5428,6 +5386,25 @@ "path": "x-pack/plugins/fleet/server/plugin.ts", "deprecated": false }, + { + "parentPluginId": "fleet", + "id": "def-server.FleetSetupDeps.spaces", + "type": "Object", + "tags": [], + "label": "spaces", + "description": [], + "signature": [ + { + "pluginId": "spaces", + "scope": "server", + "docId": "kibSpacesPluginApi", + "section": "def-server.SpacesPluginStart", + "text": "SpacesPluginStart" + } + ], + "path": "x-pack/plugins/fleet/server/plugin.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-server.FleetSetupDeps.telemetry", @@ -5471,15 +5448,15 @@ "label": "getInstallation", "description": [], "signature": [ - "(options: { savedObjectsClient: Pick<", + "(options: { savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; pkgName: string; }) => Promise<", + "; pkgName: string; }) => Promise<", { "pluginId": "fleet", "scope": "common", @@ -5501,15 +5478,15 @@ "label": "options", "description": [], "signature": [ - "{ savedObjectsClient: Pick<", + "{ savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; pkgName: string; }" + "; pkgName: string; }" ], "path": "x-pack/plugins/fleet/server/services/epm/packages/get.ts", "deprecated": false @@ -5524,15 +5501,15 @@ "label": "ensureInstalledPackage", "description": [], "signature": [ - "(options: { savedObjectsClient: Pick<", + "(options: { savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; pkgName: string; esClient: ", + "; pkgName: string; esClient: ", { "pluginId": "core", "scope": "server", @@ -5540,7 +5517,7 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - "; pkgVersion?: string | undefined; }) => Promise<", + "; pkgVersion?: string | undefined; spaceId?: string | undefined; }) => Promise<", { "pluginId": "fleet", "scope": "common", @@ -5562,15 +5539,15 @@ "label": "options", "description": [], "signature": [ - "{ savedObjectsClient: Pick<", + "{ savedObjectsClient: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; pkgName: string; esClient: ", + "; pkgName: string; esClient: ", { "pluginId": "core", "scope": "server", @@ -5578,7 +5555,7 @@ "section": "def-server.ElasticsearchClient", "text": "ElasticsearchClient" }, - "; pkgVersion?: string | undefined; }" + "; pkgVersion?: string | undefined; spaceId?: string | undefined; }" ], "path": "x-pack/plugins/fleet/server/services/epm/packages/install.ts", "deprecated": false @@ -5962,6 +5939,35 @@ "children": [], "returnComment": [] }, + { + "parentPluginId": "fleet", + "id": "def-server.FleetStartContract.authz", + "type": "Object", + "tags": [], + "label": "authz", + "description": [], + "signature": [ + "{ fromRequest(request: ", + { + "pluginId": "core", + "scope": "server", + "docId": "kibCoreHttpPluginApi", + "section": "def-server.KibanaRequest", + "text": "KibanaRequest" + }, + "): Promise<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.FleetAuthz", + "text": "FleetAuthz" + }, + ">; }" + ], + "path": "x-pack/plugins/fleet/server/plugin.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-server.FleetStartContract.esIndexPatternService", @@ -6131,6 +6137,40 @@ } ], "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-server.FleetStartContract.fetchFindLatestPackage", + "type": "Function", + "tags": [], + "label": "fetchFindLatestPackage", + "description": [], + "signature": [ + "(packageName: string) => Promise<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.RegistrySearchResult", + "text": "RegistrySearchResult" + }, + ">" + ], + "path": "x-pack/plugins/fleet/server/plugin.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "fleet", + "id": "def-server.FleetStartContract.fetchFindLatestPackage.$1", + "type": "string", + "tags": [], + "label": "packageName", + "description": [], + "path": "x-pack/plugins/fleet/server/services/epm/registry/index.ts", + "deprecated": false + } + ] } ], "lifecycle": "start", @@ -6302,6 +6342,44 @@ } ], "functions": [ + { + "parentPluginId": "fleet", + "id": "def-common.calculateAuthz", + "type": "Function", + "tags": [], + "label": "calculateAuthz", + "description": [], + "signature": [ + "({ fleet, integrations, isSuperuser, }: CalculateParams) => ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.FleetAuthz", + "text": "FleetAuthz" + } + ], + "path": "x-pack/plugins/fleet/common/authz.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.calculateAuthz.$1", + "type": "Object", + "tags": [], + "label": "{\n fleet,\n integrations,\n isSuperuser,\n}", + "description": [], + "signature": [ + "CalculateParams" + ], + "path": "x-pack/plugins/fleet/common/authz.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.countValidationErrors", @@ -6379,6 +6457,31 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.createFleetAuthzMock", + "type": "Function", + "tags": [], + "label": "createFleetAuthzMock", + "description": [ + "\nCreates mock `authz` object" + ], + "signature": [ + "() => ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.FleetAuthz", + "text": "FleetAuthz" + } + ], + "path": "x-pack/plugins/fleet/common/mocks.ts", + "deprecated": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.decodeCloudId", @@ -6482,250 +6585,22 @@ "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", + " | ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" + "section": "def-common.PackageListItem", + "text": "PackageListItem" }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - "> | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"installed\"; savedObject: ", - "SavedObject", - "<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"installing\"; savedObject: ", - "SavedObject", - "<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"not_installed\"; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"install_failed\"; } & { integration?: string | undefined; id: string; })) => boolean" - ], - "path": "x-pack/plugins/fleet/common/services/packages_with_integrations.ts", - "deprecated": false, - "children": [ + ") => boolean" + ], + "path": "x-pack/plugins/fleet/common/services/packages_with_integrations.ts", + "deprecated": false, + "children": [ { "parentPluginId": "fleet", "id": "def-common.doesPackageHaveIntegrations.$1", @@ -6738,246 +6613,17 @@ "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - "> | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"installed\"; savedObject: ", - "SavedObject", - "<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"installing\"; savedObject: ", - "SavedObject", - "<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" + "section": "def-common.PackageInfo", + "text": "PackageInfo" }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"not_installed\"; } & { integration?: string | undefined; id: string; }) | (Pick<", + " | ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"install_failed\"; } & { integration?: string | undefined; id: string; })" + "section": "def-common.PackageListItem", + "text": "PackageListItem" + } ], "path": "x-pack/plugins/fleet/common/services/packages_with_integrations.ts", "deprecated": false, @@ -7549,11 +7195,46 @@ "label": "integrationToEnable", "description": [], "signature": [ - "string | undefined" + "string | undefined" + ], + "path": "x-pack/plugins/fleet/common/services/package_to_package_policy.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.splitPkgKey", + "type": "Function", + "tags": [], + "label": "splitPkgKey", + "description": [ + "\nExtract the package name and package version from a string.\n" + ], + "signature": [ + "(pkgkey: string) => { pkgName: string; pkgVersion: string; }" + ], + "path": "x-pack/plugins/fleet/common/services/split_pkg_key.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.splitPkgKey.$1", + "type": "string", + "tags": [], + "label": "pkgkey", + "description": [ + "a string containing the package name delimited by the package version" + ], + "signature": [ + "string" ], - "path": "x-pack/plugins/fleet/common/services/package_to_package_policy.ts", + "path": "x-pack/plugins/fleet/common/services/split_pkg_key.ts", "deprecated": false, - "isRequired": false + "isRequired": true } ], "returnComment": [], @@ -7952,7 +7633,14 @@ "label": "status", "description": [], "signature": [ - "\"offline\" | \"online\" | \"error\" | \"warning\" | \"inactive\" | \"enrolling\" | \"unenrolling\" | \"updating\" | \"degraded\" | undefined" + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.AgentStatus", + "text": "AgentStatus" + }, + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/agent.ts", "deprecated": false @@ -8432,7 +8120,15 @@ "label": "type", "description": [], "signature": [ - "\"input\" | \"doc\" | \"notice\" | ", + "\"input\" | ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.DocAssetType", + "text": "DocAssetType" + }, + " | ", { "pluginId": "fleet", "scope": "common", @@ -8605,6 +8301,35 @@ "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.BulkInstallPackagesResponse.items", + "type": "Array", + "tags": [], + "label": "items", + "description": [], + "signature": [ + "(", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.IBulkInstallPackageHTTPError", + "text": "IBulkInstallPackageHTTPError" + }, + " | ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.BulkInstallPackageInfo", + "text": "BulkInstallPackageInfo" + }, + ")[]" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.BulkInstallPackagesResponse.response", @@ -8629,7 +8354,7 @@ "section": "def-common.BulkInstallPackageInfo", "text": "BulkInstallPackageInfo" }, - ")[]" + ")[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -8734,7 +8459,7 @@ "label": "body", "description": [], "signature": [ - "{ name: string; description?: string | undefined; }" + "{ description?: string | undefined; name: string; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", "deprecated": false @@ -9248,7 +8973,7 @@ "label": "params", "description": [], "signature": [ - "{ pkgkey: string; }" + "{ pkgkey?: string | undefined; pkgName: string; pkgVersion: string; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -9273,6 +8998,26 @@ "tags": [], "label": "response", "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.AssetReference", + "text": "AssetReference" + }, + "[] | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.DeletePackageResponse.items", + "type": "Array", + "tags": [], + "label": "items", + "description": [], "signature": [ { "pluginId": "fleet", @@ -9416,39 +9161,23 @@ "label": "assets", "description": [], "signature": [ - "Record<\"kibana\", Record<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetType", - "text": "KibanaAssetType" - }, - ", ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetParts", - "text": "KibanaAssetParts" - }, - "[]>> & Record<\"elasticsearch\", Record<", + "Record<\"kibana\", ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetType", - "text": "ElasticsearchAssetType" + "section": "def-common.KibanaAssetTypeToParts", + "text": "KibanaAssetTypeToParts" }, - ", ", + "> & Record<\"elasticsearch\", ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetParts", - "text": "ElasticsearchAssetParts" + "section": "def-common.ElasticsearchAssetTypeToParts", + "text": "ElasticsearchAssetTypeToParts" }, - "[]>>" + ">" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false @@ -9495,6 +9224,45 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.FleetAuthz", + "type": "Interface", + "tags": [], + "label": "FleetAuthz", + "description": [], + "path": "x-pack/plugins/fleet/common/authz.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.FleetAuthz.fleet", + "type": "Object", + "tags": [], + "label": "fleet", + "description": [], + "signature": [ + "{ all: boolean; setup: boolean; readEnrollmentTokens: boolean; readAgentPolicies: boolean; }" + ], + "path": "x-pack/plugins/fleet/common/authz.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.FleetAuthz.integrations", + "type": "Object", + "tags": [], + "label": "integrations", + "description": [], + "signature": [ + "{ readPackageInfo: boolean; readInstalledPackages: boolean; installPackages: boolean; upgradePackages: boolean; removePackages: boolean; uploadPackages: boolean; readPackageSettings: boolean; writePackageSettings: boolean; readIntegrationPolicies: boolean; writeIntegrationPolicies: boolean; }" + ], + "path": "x-pack/plugins/fleet/common/authz.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.FleetConfigType", @@ -9582,15 +9350,14 @@ "label": "packages", "description": [], "signature": [ - "Pick<", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.PackagePolicyPackage", - "text": "PackagePolicyPackage" + "section": "def-common.PreconfiguredPackage", + "text": "PreconfiguredPackage" }, - ", \"name\" | \"version\">[] | undefined" + "[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/index.ts", "deprecated": false @@ -10926,69 +10693,6 @@ ], "initialIsOpen": false }, - { - "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponse", - "type": "Interface", - "tags": [], - "label": "GetAgentPoliciesResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponse.items", - "type": "Array", - "tags": [], - "label": "items", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.GetAgentPoliciesResponseItem", - "text": "GetAgentPoliciesResponseItem" - }, - "[]" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponse.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponse.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponse.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, { "parentPluginId": "fleet", "id": "def-common.GetAgentsRequest", @@ -11002,12 +10706,19 @@ { "parentPluginId": "fleet", "id": "def-common.GetAgentsRequest.query", - "type": "Object", + "type": "CompoundType", "tags": [], "label": "query", "description": [], "signature": [ - "{ page: number; perPage: number; kuery?: string | undefined; showInactive: boolean; showUpgradeable?: boolean | undefined; }" + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListWithKuery", + "text": "ListWithKuery" + }, + " & { showInactive: boolean; showUpgradeable?: boolean | undefined; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", "deprecated": false @@ -11022,66 +10733,62 @@ "tags": [], "label": "GetAgentsResponse", "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", - "deprecated": false, - "children": [ + "signature": [ { - "parentPluginId": "fleet", - "id": "def-common.GetAgentsResponse.list", - "type": "Array", - "tags": [], - "label": "list", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Agent", - "text": "Agent" - }, - "[]" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", - "deprecated": false + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.GetAgentsResponse", + "text": "GetAgentsResponse" }, + " extends ", { - "parentPluginId": "fleet", - "id": "def-common.GetAgentsResponse.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", - "deprecated": false + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListResult", + "text": "ListResult" }, + "<", { - "parentPluginId": "fleet", - "id": "def-common.GetAgentsResponse.totalInactive", - "type": "number", - "tags": [], - "label": "totalInactive", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", - "deprecated": false + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.Agent", + "text": "Agent" }, + ">" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", + "deprecated": false, + "children": [ { "parentPluginId": "fleet", - "id": "def-common.GetAgentsResponse.page", + "id": "def-common.GetAgentsResponse.totalInactive", "type": "number", "tags": [], - "label": "page", + "label": "totalInactive", "description": [], "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", "deprecated": false }, { "parentPluginId": "fleet", - "id": "def-common.GetAgentsResponse.perPage", - "type": "number", + "id": "def-common.GetAgentsResponse.list", + "type": "Array", "tags": [], - "label": "perPage", + "label": "list", "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.Agent", + "text": "Agent" + }, + "[] | undefined" + ], "path": "x-pack/plugins/fleet/common/types/rest_spec/agent.ts", "deprecated": false } @@ -11178,10 +10885,10 @@ "children": [ { "parentPluginId": "fleet", - "id": "def-common.GetCategoriesResponse.response", + "id": "def-common.GetCategoriesResponse.items", "type": "Array", "tags": [], - "label": "response", + "label": "items", "description": [], "signature": [ { @@ -11195,6 +10902,26 @@ ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetCategoriesResponse.response", + "type": "Array", + "tags": [], + "label": "response", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.CategorySummaryList", + "text": "CategorySummaryList" + }, + " | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false } ], "initialIsOpen": false @@ -11249,74 +10976,17 @@ "tags": [], "label": "query", "description": [], - "signature": [ - "{ page: number; perPage: number; kuery?: string | undefined; }" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetEnrollmentAPIKeysResponse", - "type": "Interface", - "tags": [], - "label": "GetEnrollmentAPIKeysResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetEnrollmentAPIKeysResponse.list", - "type": "Array", - "tags": [], - "label": "list", - "description": [], "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.EnrollmentAPIKey", - "text": "EnrollmentAPIKey" - }, - "[]" + "section": "def-common.ListWithKuery", + "text": "ListWithKuery" + } ], "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetEnrollmentAPIKeysResponse.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetEnrollmentAPIKeysResponse.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetEnrollmentAPIKeysResponse.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", - "deprecated": false } ], "initialIsOpen": false @@ -11339,7 +11009,7 @@ "label": "params", "description": [], "signature": [ - "{ pkgkey: string; filePath: string; }" + "{ pkgName: string; pkgVersion: string; filePath: string; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -11438,210 +11108,90 @@ "type": "Interface", "tags": [], "label": "GetFullAgentPolicyResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetFullAgentPolicyResponse.item", - "type": "Object", - "tags": [], - "label": "item", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.FullAgentPolicy", - "text": "FullAgentPolicy" - } - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetInfoRequest", - "type": "Interface", - "tags": [], - "label": "GetInfoRequest", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetInfoRequest.params", - "type": "Object", - "tags": [], - "label": "params", - "description": [], - "signature": [ - "{ pkgkey: string; }" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetInfoResponse", - "type": "Interface", - "tags": [], - "label": "GetInfoResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetInfoResponse.response", - "type": "CompoundType", - "tags": [], - "label": "response", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", + "section": "def-common.FullAgentPolicy", + "text": "FullAgentPolicy" + } + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetInfoRequest", + "type": "Interface", + "tags": [], + "label": "GetInfoRequest", + "description": [], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.GetInfoRequest.params", + "type": "Object", + "tags": [], + "label": "params", + "description": [], + "signature": [ + "{ pkgkey?: string | undefined; pkgName: string; pkgVersion: string; }" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetInfoResponse", + "type": "Interface", + "tags": [], + "label": "GetInfoResponse", + "description": [], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.GetInfoResponse.item", + "type": "CompoundType", + "tags": [], + "label": "item", + "description": [], + "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" + "section": "def-common.Installable", + "text": "Installable" }, "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - ">" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetInfoResponse.response", + "type": "CompoundType", + "tags": [], + "label": "response", + "description": [], + "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.EpmPackageAdditions", - "text": "EpmPackageAdditions" + "section": "def-common.PackageInfo", + "text": "PackageInfo" }, - ">>" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -11717,6 +11263,19 @@ "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.GetLimitedPackagesResponse.items", + "type": "Array", + "tags": [], + "label": "items", + "description": [], + "signature": [ + "string[]" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.GetLimitedPackagesResponse.response", @@ -11725,7 +11284,7 @@ "label": "response", "description": [], "signature": [ - "string[]" + "string[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -12014,162 +11573,42 @@ "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.PackagePolicy", - "text": "PackagePolicy" - } - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetOutputsResponse", - "type": "Interface", - "tags": [], - "label": "GetOutputsResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetOutputsResponse.items", - "type": "Array", - "tags": [], - "label": "items", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Output", - "text": "Output" - }, - "[]" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetOutputsResponse.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetOutputsResponse.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetOutputsResponse.perPage", - "type": "number", - "tags": [], - "label": "perPage", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesRequest", - "type": "Interface", - "tags": [], - "label": "GetPackagePoliciesRequest", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesRequest.query", - "type": "Object", - "tags": [], - "label": "query", - "description": [], - "signature": [ - "{ page: number; perPage: number; kuery?: string | undefined; }" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesResponse", - "type": "Interface", - "tags": [], - "label": "GetPackagePoliciesResponse", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesResponse.items", - "type": "Array", - "tags": [], - "label": "items", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.PackagePolicy", - "text": "PackagePolicy" - }, - "[]" - ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesResponse.total", - "type": "number", - "tags": [], - "label": "total", - "description": [], - "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", - "deprecated": false - }, - { - "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesResponse.page", - "type": "number", - "tags": [], - "label": "page", - "description": [], + "section": "def-common.PackagePolicy", + "text": "PackagePolicy" + } + ], "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", "deprecated": false - }, + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetPackagePoliciesRequest", + "type": "Interface", + "tags": [], + "label": "GetPackagePoliciesRequest", + "description": [], + "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", + "deprecated": false, + "children": [ { "parentPluginId": "fleet", - "id": "def-common.GetPackagePoliciesResponse.perPage", - "type": "number", + "id": "def-common.GetPackagePoliciesRequest.query", + "type": "Object", "tags": [], - "label": "perPage", + "label": "query", "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListWithKuery", + "text": "ListWithKuery" + } + ], "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", "deprecated": false } @@ -12214,10 +11653,10 @@ "children": [ { "parentPluginId": "fleet", - "id": "def-common.GetPackagesResponse.response", + "id": "def-common.GetPackagesResponse.items", "type": "Array", "tags": [], - "label": "response", + "label": "items", "description": [], "signature": [ { @@ -12231,6 +11670,26 @@ ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetPackagesResponse.response", + "type": "Array", + "tags": [], + "label": "response", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageList", + "text": "PackageList" + }, + " | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false } ], "initialIsOpen": false @@ -12687,6 +12146,19 @@ "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false }, + { + "parentPluginId": "fleet", + "id": "def-common.Installation.installed_kibana_space_id", + "type": "string", + "tags": [], + "label": "installed_kibana_space_id", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/models/epm.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.Installation.keep_policies_up_to_date", @@ -12721,7 +12193,7 @@ "label": "params", "description": [], "signature": [ - "{ pkgkey: string; }" + "{ pkgkey?: string | undefined; pkgName: string; pkgVersion: string; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -12739,6 +12211,26 @@ "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.InstallPackageResponse.items", + "type": "Array", + "tags": [], + "label": "items", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.AssetReference", + "text": "AssetReference" + }, + "[]" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.InstallPackageResponse.response", @@ -12754,7 +12246,7 @@ "section": "def-common.AssetReference", "text": "AssetReference" }, - "[]" + "[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -12916,14 +12408,6 @@ "description": [], "signature": [ "(", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.PackageSpecIcon", - "text": "PackageSpecIcon" - }, - " | ", { "pluginId": "customIntegrations", "scope": "common", @@ -12931,6 +12415,14 @@ "section": "def-common.CustomIntegrationIcon", "text": "CustomIntegrationIcon" }, + " | ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecIcon", + "text": "PackageSpecIcon" + }, ")[]" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", @@ -13437,6 +12929,19 @@ "path": "x-pack/plugins/fleet/common/types/models/output.ts", "deprecated": false }, + { + "parentPluginId": "fleet", + "id": "def-common.NewOutput.ca_trusted_fingerprint", + "type": "string", + "tags": [], + "label": "ca_trusted_fingerprint", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/models/output.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.NewOutput.api_key", @@ -13489,6 +12994,19 @@ "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.NewPackagePolicy.id", + "type": "CompoundType", + "tags": [], + "label": "id", + "description": [], + "signature": [ + "string | number | undefined" + ], + "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.NewPackagePolicy.name", @@ -13600,15 +13118,14 @@ "label": "vars", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -13693,15 +13210,14 @@ "label": "vars", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -13714,15 +13230,14 @@ "label": "config", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -13804,15 +13319,14 @@ "label": "vars", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -13825,15 +13339,14 @@ "label": "config", "description": [], "signature": [ - "Record | undefined" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false @@ -13856,7 +13369,7 @@ "section": "def-common.PackagePolicy", "text": "PackagePolicy" }, - " extends Pick<", + " extends Omit<", { "pluginId": "fleet", "scope": "common", @@ -13864,7 +13377,7 @@ "section": "def-common.NewPackagePolicy", "text": "NewPackagePolicy" }, - ", \"name\" | \"description\" | \"enabled\" | \"package\" | \"policy_id\" | \"namespace\" | \"output_id\" | \"vars\" | \"elasticsearch\">" + ", \"inputs\">" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false, @@ -14035,7 +13548,7 @@ "label": "vars", "description": [], "signature": [ - "Record | undefined" + "ValidationEntry | undefined" ], "path": "x-pack/plugins/fleet/common/services/validate_package_policy.ts", "deprecated": false @@ -14058,7 +13571,7 @@ "section": "def-common.PackagePolicyInput", "text": "PackagePolicyInput" }, - " extends Pick<", + " extends Omit<", { "pluginId": "fleet", "scope": "common", @@ -14066,7 +13579,7 @@ "section": "def-common.NewPackagePolicyInput", "text": "NewPackagePolicyInput" }, - ", \"type\" | \"enabled\" | \"config\" | \"vars\" | \"policy_template\" | \"keep_enabled\">" + ", \"streams\">" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false, @@ -14372,7 +13885,15 @@ "label": "categories", "description": [], "signature": [ - "(\"security\" | \"monitoring\" | \"custom\" | \"cloud\" | \"kubernetes\" | \"aws\" | \"azure\" | \"config_management\" | \"containers\" | \"crm\" | \"datastore\" | \"elastic_stack\" | \"google_cloud\" | \"languages\" | \"message_queue\" | \"network\" | \"notification\" | \"os_system\" | \"productivity\" | \"support\" | \"ticketing\" | \"version_control\" | \"web\" | undefined)[] | undefined" + "(", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecCategory", + "text": "PackageSpecCategory" + }, + " | undefined)[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_spec.ts", "deprecated": false @@ -14385,7 +13906,14 @@ "label": "conditions", "description": [], "signature": [ - "Record<\"kibana\", { version: string; }> | undefined" + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecConditions", + "text": "PackageSpecConditions" + }, + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/package_spec.ts", "deprecated": false @@ -14931,6 +14459,32 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.PostOutputRequest", + "type": "Interface", + "tags": [], + "label": "PostOutputRequest", + "description": [], + "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.PostOutputRequest.body", + "type": "Object", + "tags": [], + "label": "body", + "description": [], + "signature": [ + "{ id?: string | undefined; type: \"elasticsearch\"; name: string; hosts?: string[] | undefined; ca_sha256?: string | undefined; ca_trusted_fingerprint?: string | undefined; is_default?: boolean | undefined; is_default_monitoring?: boolean | undefined; config_yaml?: string | undefined; }" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.PreconfigurationError", @@ -14998,7 +14552,7 @@ "section": "def-common.PreconfiguredAgentPolicy", "text": "PreconfiguredAgentPolicy" }, - " extends Pick<", + " extends Omit<", { "pluginId": "fleet", "scope": "common", @@ -15006,7 +14560,7 @@ "section": "def-common.NewAgentPolicy", "text": "NewAgentPolicy" }, - ", \"name\" | \"description\" | \"is_default\" | \"is_default_fleet_server\" | \"is_managed\" | \"monitoring_enabled\" | \"unenroll_timeout\" | \"is_preconfigured\" | \"data_output_id\" | \"monitoring_output_id\">" + ", \"namespace\">" ], "path": "x-pack/plugins/fleet/common/types/models/preconfiguration.ts", "deprecated": false, @@ -15045,7 +14599,7 @@ "label": "package_policies", "description": [], "signature": [ - "(Partial> & { name: string; package: Partial<", + ", \"package\" | \"inputs\">> & { id?: string | number | undefined; name: string; package: Partial<", { "pluginId": "fleet", "scope": "common", @@ -15092,7 +14646,7 @@ "section": "def-common.PreconfiguredOutput", "text": "PreconfiguredOutput" }, - " extends Pick<", + " extends Omit<", { "pluginId": "fleet", "scope": "common", @@ -15100,7 +14654,7 @@ "section": "def-common.Output", "text": "Output" }, - ", \"name\" | \"type\" | \"id\" | \"is_default\" | \"is_preconfigured\" | \"hosts\" | \"ca_sha256\" | \"api_key\" | \"is_default_monitoring\">" + ", \"config_yaml\">" ], "path": "x-pack/plugins/fleet/common/types/models/preconfiguration.ts", "deprecated": false, @@ -15203,7 +14757,7 @@ "label": "body", "description": [], "signature": [ - "{ hosts?: string[] | undefined; ca_sha256?: string | undefined; config?: Record | undefined; config_yaml?: string | undefined; }" + "{ type?: \"elasticsearch\" | undefined; name?: string | undefined; hosts?: string[] | undefined; ca_sha256?: string | undefined; ca_trusted_fingerprint?: string | undefined; config_yaml?: string | undefined; is_default?: boolean | undefined; is_default_monitoring?: boolean | undefined; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", "deprecated": false @@ -15681,7 +15235,14 @@ "label": "[RegistryInputKeys.input_group]", "description": [], "signature": [ - "\"metrics\" | \"logs\" | undefined" + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.RegistryInputGroup", + "text": "RegistryInputGroup" + }, + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false @@ -15797,7 +15358,15 @@ "label": "[RegistryPolicyTemplateKeys.categories]", "description": [], "signature": [ - "(\"security\" | \"monitoring\" | \"custom\" | \"cloud\" | \"kubernetes\" | \"aws\" | \"azure\" | \"config_management\" | \"containers\" | \"crm\" | \"datastore\" | \"elastic_stack\" | \"google_cloud\" | \"languages\" | \"message_queue\" | \"network\" | \"notification\" | \"os_system\" | \"productivity\" | \"support\" | \"ticketing\" | \"version_control\" | \"web\" | undefined)[] | undefined" + "(", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecCategory", + "text": "PackageSpecCategory" + }, + " | undefined)[] | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false @@ -16007,7 +15576,7 @@ "label": "[RegistryVarsEntryKeys.type]", "description": [], "signature": [ - "\"string\" | \"text\" | \"yaml\" | \"integer\" | \"bool\" | \"password\"" + "\"string\" | \"text\" | \"integer\" | \"yaml\" | \"bool\" | \"password\"" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false @@ -16306,7 +15875,7 @@ "label": "params", "description": [], "signature": [ - "{ pkgkey: string; }" + "{ pkgkey?: string | undefined; pkgName: string; pkgVersion: string; }" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -16339,90 +15908,18 @@ "children": [ { "parentPluginId": "fleet", - "id": "def-common.UpdatePackageResponse.response", + "id": "def-common.UpdatePackageResponse.item", "type": "CompoundType", "tags": [], - "label": "response", - "description": [], - "signature": [ - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", + "label": "item", + "description": [], + "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" + "section": "def-common.Installable", + "text": "Installable" }, "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" + "section": "def-common.Installable", + "text": "Installable" }, "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" - }, - ">" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.UpdatePackageResponse.response", + "type": "CompoundType", + "tags": [], + "label": "response", + "description": [], + "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.EpmPackageAdditions", - "text": "EpmPackageAdditions" + "section": "def-common.PackageInfo", + "text": "PackageInfo" }, - ">>" + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/rest_spec/epm.ts", "deprecated": false @@ -17117,7 +16562,7 @@ "label": "AgentPolicySOAttributes", "description": [], "signature": [ - "{ name: string; description?: string | undefined; updated_at: string; status: ", + "{ status: ", { "pluginId": "fleet", "scope": "common", @@ -17125,7 +16570,7 @@ "section": "def-common.ValueOf", "text": "ValueOf" }, - "<{ readonly Active: \"active\"; readonly Inactive: \"inactive\"; }>; namespace: string; updated_by: string; is_default?: boolean | undefined; package_policies: string[] | ", + "<{ readonly Active: \"active\"; readonly Inactive: \"inactive\"; }>; description?: string | undefined; name: string; updated_at: string; namespace: string; updated_by: string; is_default?: boolean | undefined; package_policies: string[] | ", { "pluginId": "fleet", "scope": "common", @@ -17302,39 +16747,23 @@ "label": "AssetsGroupedByServiceByType", "description": [], "signature": [ - "Record<\"kibana\", Record<", + "Record<\"kibana\", ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetType", - "text": "KibanaAssetType" - }, - ", ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetParts", - "text": "KibanaAssetParts" - }, - "[]>> & Record<\"elasticsearch\", Record<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetType", - "text": "ElasticsearchAssetType" + "section": "def-common.KibanaAssetTypeToParts", + "text": "KibanaAssetTypeToParts" }, - ", ", + "> & Record<\"elasticsearch\", ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetParts", - "text": "ElasticsearchAssetParts" + "section": "def-common.ElasticsearchAssetTypeToParts", + "text": "ElasticsearchAssetTypeToParts" }, - "[]>>" + ">" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -17348,7 +16777,15 @@ "label": "AssetType", "description": [], "signature": [ - "\"input\" | \"doc\" | \"notice\" | ", + "\"input\" | ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.DocAssetType", + "text": "DocAssetType" + }, + " | ", { "pluginId": "fleet", "scope": "common", @@ -17377,39 +16814,21 @@ "label": "AssetTypeToParts", "description": [], "signature": [ - "Record<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetType", - "text": "KibanaAssetType" - }, - ", ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.KibanaAssetParts", - "text": "KibanaAssetParts" - }, - "[]> & Record<", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetType", - "text": "ElasticsearchAssetType" + "section": "def-common.KibanaAssetTypeToParts", + "text": "KibanaAssetTypeToParts" }, - ", ", + " & ", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.ElasticsearchAssetParts", - "text": "ElasticsearchAssetParts" - }, - "[]>" + "section": "def-common.ElasticsearchAssetTypeToParts", + "text": "ElasticsearchAssetTypeToParts" + } ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -17559,6 +16978,48 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_AGENT_POLICY_ID_SEED", + "type": "string", + "tags": [], + "label": "DEFAULT_AGENT_POLICY_ID_SEED", + "description": [], + "signature": [ + "\"default-agent-policy\"" + ], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_FLEET_SERVER_AGENT_POLICY_ID_SEED", + "type": "string", + "tags": [], + "label": "DEFAULT_FLEET_SERVER_AGENT_POLICY_ID_SEED", + "description": [], + "signature": [ + "\"default-fleet-server\"" + ], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_FLEET_SERVER_POLICY_ID", + "type": "string", + "tags": [], + "label": "DEFAULT_FLEET_SERVER_POLICY_ID", + "description": [], + "signature": [ + "\"default-fleet-server-agent-policy\"" + ], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.DEFAULT_OUTPUT_ID", @@ -17567,7 +17028,7 @@ "label": "DEFAULT_OUTPUT_ID", "description": [], "signature": [ - "\"default\"" + "\"fleet-default-output\"" ], "path": "x-pack/plugins/fleet/common/constants/output.ts", "deprecated": false, @@ -17587,6 +17048,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_SYSTEM_PACKAGE_POLICY_ID", + "type": "string", + "tags": [], + "label": "DEFAULT_SYSTEM_PACKAGE_POLICY_ID", + "description": [], + "signature": [ + "\"default-system-policy\"" + ], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.defaultPackages", @@ -17996,21 +17471,137 @@ "label": "FLEET_SYSTEM_PACKAGE", "description": [], "signature": [ - "\"system\"" + "\"system\"" + ], + "path": "x-pack/plugins/fleet/common/constants/epm.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.FullAgentPolicyOutput", + "type": "Type", + "tags": [], + "label": "FullAgentPolicyOutput", + "description": [], + "signature": [ + "Pick<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.Output", + "text": "Output" + }, + ", \"type\" | \"hosts\" | \"ca_sha256\" | \"api_key\"> & { [key: string]: any; }" + ], + "path": "x-pack/plugins/fleet/common/types/models/agent_policy.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetAgentPoliciesResponse", + "type": "Type", + "tags": [], + "label": "GetAgentPoliciesResponse", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListResult", + "text": "ListResult" + }, + "<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.GetAgentPoliciesResponseItem", + "text": "GetAgentPoliciesResponseItem" + }, + ">" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetAgentPoliciesResponseItem", + "type": "Type", + "tags": [], + "label": "GetAgentPoliciesResponseItem", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.AgentPolicy", + "text": "AgentPolicy" + }, + " & { agents?: number | undefined; }" + ], + "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GetEnrollmentAPIKeysResponse", + "type": "Type", + "tags": [], + "label": "GetEnrollmentAPIKeysResponse", + "description": [], + "signature": [ + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListResult", + "text": "ListResult" + }, + "<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.EnrollmentAPIKey", + "text": "EnrollmentAPIKey" + }, + "> & { list?: ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.EnrollmentAPIKey", + "text": "EnrollmentAPIKey" + }, + "[] | undefined; }" ], - "path": "x-pack/plugins/fleet/common/constants/epm.ts", + "path": "x-pack/plugins/fleet/common/types/rest_spec/enrollment_api_key.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "fleet", - "id": "def-common.FullAgentPolicyOutput", + "id": "def-common.GetOutputsResponse", "type": "Type", "tags": [], - "label": "FullAgentPolicyOutput", + "label": "GetOutputsResponse", "description": [], "signature": [ - "Pick<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.ListResult", + "text": "ListResult" + }, + "<", { "pluginId": "fleet", "scope": "common", @@ -18018,30 +17609,52 @@ "section": "def-common.Output", "text": "Output" }, - ", \"type\" | \"hosts\" | \"ca_sha256\" | \"api_key\"> & { [key: string]: any; }" + ">" ], - "path": "x-pack/plugins/fleet/common/types/models/agent_policy.ts", + "path": "x-pack/plugins/fleet/common/types/rest_spec/output.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "fleet", - "id": "def-common.GetAgentPoliciesResponseItem", + "id": "def-common.GetPackagePoliciesResponse", "type": "Type", "tags": [], - "label": "GetAgentPoliciesResponseItem", + "label": "GetPackagePoliciesResponse", "description": [], "signature": [ { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.AgentPolicy", - "text": "AgentPolicy" + "section": "def-common.ListResult", + "text": "ListResult" }, - " & { agents?: number | undefined; }" + "<", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackagePolicy", + "text": "PackagePolicy" + }, + ">" ], - "path": "x-pack/plugins/fleet/common/types/rest_spec/agent_policy.ts", + "path": "x-pack/plugins/fleet/common/types/rest_spec/package_policy.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.GLOBAL_SETTINGS_ID", + "type": "string", + "tags": [], + "label": "GLOBAL_SETTINGS_ID", + "description": [], + "signature": [ + "\"fleet-default-settings\"" + ], + "path": "x-pack/plugins/fleet/common/constants/settings.ts", "deprecated": false, "initialIsOpen": false }, @@ -18075,15 +17688,15 @@ "section": "def-common.NewPackagePolicyInput", "text": "NewPackagePolicyInput" }, - "> & { vars?: (Record & { vars?: (", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.PackagePolicyConfigRecordEntry", - "text": "PackagePolicyConfigRecordEntry" + "section": "def-common.PackagePolicyConfigRecord", + "text": "PackagePolicyConfigRecord" }, - "> & { name: string; })[] | undefined; }" + " & { name: string; })[] | undefined; }" ], "path": "x-pack/plugins/fleet/common/types/models/preconfiguration.ts", "deprecated": false, @@ -18665,80 +18278,8 @@ "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installed", - "text": "Installed" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" + "section": "def-common.Installable", + "text": "Installable" }, "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installing", - "text": "Installing" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.NotInstalled", - "text": "NotInstalled" - }, - "> | ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.InstallFailed", - "text": "InstallFailed" + "section": "def-common.Installable", + "text": "Installable" }, " & { status: \"installed\"; savedObject: ", - "SavedObject", - "<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" + "section": "def-common.Installable", + "text": "Installable" }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"installing\"; savedObject: ", - "SavedObject", "<", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.Installation", - "text": "Installation" - }, - ">; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" - }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"not_installed\"; } & { integration?: string | undefined; id: string; }) | (Pick<", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" + "section": "def-common.RegistrySearchResult", + "text": "RegistrySearchResult" }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\"> & { status: \"install_failed\"; } & { integration?: string | undefined; id: string; })" + "> & { integration?: string | undefined; id: string; }" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -19004,7 +18436,7 @@ "label": "PackagePolicySOAttributes", "description": [], "signature": [ - "{ name: string; description?: string | undefined; enabled: boolean; package?: ", + "{ package?: ", { "pluginId": "fleet", "scope": "common", @@ -19012,7 +18444,7 @@ "section": "def-common.PackagePolicyPackage", "text": "PackagePolicyPackage" }, - " | undefined; updated_at: string; policy_id: string; inputs: ", + " | undefined; description?: string | undefined; name: string; enabled: boolean; updated_at: string; policy_id: string; inputs: ", { "pluginId": "fleet", "scope": "common", @@ -19020,15 +18452,15 @@ "section": "def-common.PackagePolicyInput", "text": "PackagePolicyInput" }, - "[]; namespace: string; output_id: string; vars?: Record | undefined; elasticsearch?: { privileges?: { cluster?: string[] | undefined; } | undefined; } | undefined; created_at: string; created_by: string; updated_by: string; revision: number; }" + " | undefined; elasticsearch?: { privileges?: { cluster?: string[] | undefined; } | undefined; } | undefined; created_at: string; created_by: string; updated_by: string; revision: number; }" ], "path": "x-pack/plugins/fleet/common/types/models/package_policy.ts", "deprecated": false, @@ -19042,7 +18474,7 @@ "label": "PackagePolicyValidationResults", "description": [], "signature": [ - "{ name: string[] | null; description: string[] | null; namespace: string[] | null; inputs: Record> & RegistryAdditionalProperties & RegistryOverridePropertyValue" + " & Partial & RegistryAdditionalProperties & RegistryOverridePropertyValue" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -19314,15 +18738,7 @@ "label": "RegistrySearchResult", "description": [], "signature": [ - "{ name: string; title: string; version: string; type?: \"integration\" | undefined; description: string; path: string; download: string; internal?: boolean | undefined; data_streams?: ", - { - "pluginId": "fleet", - "scope": "common", - "docId": "kibFleetPluginApi", - "section": "def-common.RegistryDataStream", - "text": "RegistryDataStream" - }, - "[] | undefined; release: \"experimental\" | \"beta\" | \"ga\"; categories?: (\"security\" | \"monitoring\" | \"custom\" | \"cloud\" | \"kubernetes\" | \"aws\" | \"azure\" | \"config_management\" | \"containers\" | \"crm\" | \"datastore\" | \"elastic_stack\" | \"google_cloud\" | \"languages\" | \"message_queue\" | \"network\" | \"notification\" | \"os_system\" | \"productivity\" | \"support\" | \"ticketing\" | \"version_control\" | \"web\" | undefined)[] | undefined; icons?: (", + "{ download: string; type?: \"integration\" | undefined; title: string; description: string; icons?: (", { "pluginId": "fleet", "scope": "common", @@ -19338,7 +18754,23 @@ "section": "def-common.RegistryImage", "text": "RegistryImage" }, - "[]) | undefined; policy_templates?: ", + "[]) | undefined; categories?: (", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecCategory", + "text": "PackageSpecCategory" + }, + " | undefined)[] | undefined; name: string; version: string; path: string; internal?: boolean | undefined; data_streams?: ", + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.RegistryDataStream", + "text": "RegistryDataStream" + }, + "[] | undefined; release: \"experimental\" | \"beta\" | \"ga\"; policy_templates?: ", { "pluginId": "fleet", "scope": "common", @@ -19360,15 +18792,14 @@ "label": "RegistrySearchResults", "description": [], "signature": [ - "Pick<", { "pluginId": "fleet", "scope": "common", "docId": "kibFleetPluginApi", - "section": "def-common.RegistryPackage", - "text": "RegistryPackage" + "section": "def-common.RegistrySearchResult", + "text": "RegistrySearchResult" }, - ", \"name\" | \"title\" | \"version\" | \"type\" | \"description\" | \"path\" | \"download\" | \"internal\" | \"data_streams\" | \"release\" | \"categories\" | \"icons\" | \"policy_templates\">[]" + "[]" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -19382,7 +18813,7 @@ "label": "RegistryVarType", "description": [], "signature": [ - "\"string\" | \"text\" | \"yaml\" | \"integer\" | \"bool\" | \"password\"" + "\"string\" | \"text\" | \"integer\" | \"yaml\" | \"bool\" | \"password\"" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -19396,7 +18827,14 @@ "label": "RequirementsByServiceName", "description": [], "signature": [ - "Record<\"kibana\", { version: string; }> | undefined" + { + "pluginId": "fleet", + "scope": "common", + "docId": "kibFleetPluginApi", + "section": "def-common.PackageSpecConditions", + "text": "PackageSpecConditions" + }, + " | undefined" ], "path": "x-pack/plugins/fleet/common/types/models/epm.ts", "deprecated": false, @@ -19513,13 +18951,27 @@ }, { "parentPluginId": "fleet", - "id": "def-common.STANDALONE_RUN_INSTRUCTIONS", + "id": "def-common.STANDALONE_RUN_INSTRUCTIONS_LINUXMAC", + "type": "string", + "tags": [], + "label": "STANDALONE_RUN_INSTRUCTIONS_LINUXMAC", + "description": [], + "signature": [ + "\"sudo ./elastic-agent install\"" + ], + "path": "x-pack/plugins/fleet/common/constants/epm.ts", + "deprecated": false, + "initialIsOpen": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.STANDALONE_RUN_INSTRUCTIONS_WINDOWS", "type": "string", "tags": [], - "label": "STANDALONE_RUN_INSTRUCTIONS", + "label": "STANDALONE_RUN_INSTRUCTIONS_WINDOWS", "description": [], "signature": [ - "\"./elastic-agent install\"" + "\".\\\\elastic-agent.exe install\"" ], "path": "x-pack/plugins/fleet/common/constants/epm.ts", "deprecated": false, @@ -19659,6 +19111,20 @@ "deprecated": false, "initialIsOpen": false }, + { + "parentPluginId": "fleet", + "id": "def-common.UUID_V5_NAMESPACE", + "type": "string", + "tags": [], + "label": "UUID_V5_NAMESPACE", + "description": [], + "signature": [ + "\"dde7c2de-1370-4c19-9975-b473d0e03508\"" + ], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false, + "initialIsOpen": false + }, { "parentPluginId": "fleet", "id": "def-common.ValueOf", @@ -19807,6 +19273,18 @@ "path": "x-pack/plugins/fleet/common/constants/routes.ts", "deprecated": false }, + { + "parentPluginId": "fleet", + "id": "def-common.AGENT_API_ROUTES.STATUS_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "STATUS_PATTERN_DEPRECATED", + "description": [ + "// deprecated since 8.0" + ], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.AGENT_API_ROUTES.UPGRADE_PATTERN", @@ -20460,21 +19938,6 @@ ], "initialIsOpen": false }, - { - "parentPluginId": "fleet", - "id": "def-common.AgentStatusKueryHelper", - "type": "Object", - "tags": [], - "label": "AgentStatusKueryHelper", - "description": [], - "signature": [ - "typeof ", - "x-pack/plugins/fleet/common/services/agent_status" - ], - "path": "x-pack/plugins/fleet/common/services/index.ts", - "deprecated": false, - "initialIsOpen": false - }, { "parentPluginId": "fleet", "id": "def-common.APP_API_ROUTES", @@ -20504,6 +19967,18 @@ "description": [], "path": "x-pack/plugins/fleet/common/constants/routes.ts", "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.APP_API_ROUTES.GENERATE_SERVICE_TOKEN_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "GENERATE_SERVICE_TOKEN_PATTERN_DEPRECATED", + "description": [ + "// deprecated since 8.0" + ], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false } ], "initialIsOpen": false @@ -20626,6 +20101,16 @@ "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_AGENT_POLICY.id", + "type": "string", + "tags": [], + "label": "id", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.DEFAULT_AGENT_POLICY.name", @@ -20664,7 +20149,7 @@ "label": "package_policies", "description": [], "signature": [ - "{ name: string; package: { name: string; }; }[]" + "{ id: string; name: string; package: { name: string; }; }[]" ], "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", "deprecated": false @@ -20721,6 +20206,16 @@ "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", "deprecated": false, "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.DEFAULT_FLEET_SERVER_AGENT_POLICY.id", + "type": "string", + "tags": [], + "label": "id", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", + "deprecated": false + }, { "parentPluginId": "fleet", "id": "def-common.DEFAULT_FLEET_SERVER_AGENT_POLICY.name", @@ -20759,7 +20254,7 @@ "label": "package_policies", "description": [], "signature": [ - "{ name: string; package: { name: string; }; }[]" + "{ id: string; name: string; package: { name: string; }; }[]" ], "path": "x-pack/plugins/fleet/common/constants/preconfiguration.ts", "deprecated": false @@ -20943,6 +20438,48 @@ "description": [], "path": "x-pack/plugins/fleet/common/constants/routes.ts", "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.ENROLLMENT_API_KEY_ROUTES.CREATE_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "CREATE_PATTERN_DEPRECATED", + "description": [ + "// deprecated since 8.0" + ], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.ENROLLMENT_API_KEY_ROUTES.LIST_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "LIST_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.ENROLLMENT_API_KEY_ROUTES.INFO_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "INFO_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.ENROLLMENT_API_KEY_ROUTES.DELETE_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "DELETE_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false } ], "initialIsOpen": false @@ -21159,6 +20696,36 @@ "description": [], "path": "x-pack/plugins/fleet/common/constants/routes.ts", "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.EPM_API_ROUTES.INFO_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "INFO_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.EPM_API_ROUTES.INSTALL_FROM_REGISTRY_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "INSTALL_FROM_REGISTRY_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false + }, + { + "parentPluginId": "fleet", + "id": "def-common.EPM_API_ROUTES.DELETE_PATTERN_DEPRECATED", + "type": "string", + "tags": [], + "label": "DELETE_PATTERN_DEPRECATED", + "description": [], + "path": "x-pack/plugins/fleet/common/constants/routes.ts", + "deprecated": false } ], "initialIsOpen": false @@ -21226,7 +20793,7 @@ "label": "getInfoPath", "description": [], "signature": [ - "(pkgkey: string) => string" + "(pkgName: string, pkgVersion: string) => string" ], "path": "x-pack/plugins/fleet/common/services/routes.ts", "deprecated": false, @@ -21236,7 +20803,21 @@ "id": "def-common.epmRouteService.getInfoPath.$1", "type": "string", "tags": [], - "label": "pkgkey", + "label": "pkgName", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "fleet", + "id": "def-common.epmRouteService.getInfoPath.$2", + "type": "string", + "tags": [], + "label": "pkgVersion", "description": [], "signature": [ "string" @@ -21316,7 +20897,7 @@ "label": "getInstallPath", "description": [], "signature": [ - "(pkgkey: string) => string" + "(pkgName: string, pkgVersion: string) => string" ], "path": "x-pack/plugins/fleet/common/services/routes.ts", "deprecated": false, @@ -21326,7 +20907,21 @@ "id": "def-common.epmRouteService.getInstallPath.$1", "type": "string", "tags": [], - "label": "pkgkey", + "label": "pkgName", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "fleet", + "id": "def-common.epmRouteService.getInstallPath.$2", + "type": "string", + "tags": [], + "label": "pkgVersion", "description": [], "signature": [ "string" @@ -21361,7 +20956,7 @@ "label": "getRemovePath", "description": [], "signature": [ - "(pkgkey: string) => string" + "(pkgName: string, pkgVersion: string) => string" ], "path": "x-pack/plugins/fleet/common/services/routes.ts", "deprecated": false, @@ -21371,7 +20966,21 @@ "id": "def-common.epmRouteService.getRemovePath.$1", "type": "string", "tags": [], - "label": "pkgkey", + "label": "pkgName", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "fleet", + "id": "def-common.epmRouteService.getRemovePath.$2", + "type": "string", + "tags": [], + "label": "pkgVersion", "description": [], "signature": [ "string" @@ -21391,7 +21000,7 @@ "label": "getUpdatePath", "description": [], "signature": [ - "(pkgkey: string) => string" + "(pkgName: string, pkgVersion: string) => string" ], "path": "x-pack/plugins/fleet/common/services/routes.ts", "deprecated": false, @@ -21401,7 +21010,21 @@ "id": "def-common.epmRouteService.getUpdatePath.$1", "type": "string", "tags": [], - "label": "pkgkey", + "label": "pkgName", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "fleet", + "id": "def-common.epmRouteService.getUpdatePath.$2", + "type": "string", + "tags": [], + "label": "pkgVersion", "description": [], "signature": [ "string" @@ -21620,6 +21243,51 @@ "deprecated": false, "children": [], "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-common.outputRoutesService.getDeletePath", + "type": "Function", + "tags": [], + "label": "getDeletePath", + "description": [], + "signature": [ + "(outputId: string) => string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "fleet", + "id": "def-common.outputRoutesService.getDeletePath.$1", + "type": "string", + "tags": [], + "label": "outputId", + "description": [], + "signature": [ + "string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "fleet", + "id": "def-common.outputRoutesService.getCreatePath", + "type": "Function", + "tags": [], + "label": "getCreatePath", + "description": [], + "signature": [ + "() => string" + ], + "path": "x-pack/plugins/fleet/common/services/routes.ts", + "deprecated": false, + "children": [], + "returnComment": [] } ], "initialIsOpen": false diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index bbaeba4bfa28f6..e928b265e885f9 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -16,9 +16,9 @@ Contact [Fleet](https://github.com/orgs/elastic/teams/fleet) for questions regar **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 1232 | 8 | 1130 | 10 | +| 1268 | 8 | 1156 | 10 | ## Client diff --git a/api_docs/global_search.json b/api_docs/global_search.json index 9a8b76c27a93f2..8279c9754b891a 100644 --- a/api_docs/global_search.json +++ b/api_docs/global_search.json @@ -453,9 +453,9 @@ "\nRepresentation of a result returned by the {@link GlobalSearchPluginStart.find | `find` API}" ], "signature": [ - "Pick<", + "Omit<", "GlobalSearchProviderResult", - ", \"title\" | \"type\" | \"id\" | \"meta\" | \"icon\" | \"score\"> & { url: string; }" + ", \"url\"> & { url: string; }" ], "path": "x-pack/plugins/global_search/common/types.ts", "deprecated": false, @@ -617,23 +617,23 @@ "label": "core", "description": [], "signature": [ - "{ savedObjects: { client: Pick<", + "{ savedObjects: { client: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectsClient", - "text": "SavedObjectsClient" + "section": "def-server.SavedObjectsClientContract", + "text": "SavedObjectsClientContract" }, - ", \"create\" | \"bulkCreate\" | \"checkConflicts\" | \"delete\" | \"find\" | \"bulkGet\" | \"bulkResolve\" | \"get\" | \"resolve\" | \"update\" | \"collectMultiNamespaceReferences\" | \"updateObjectsSpaces\" | \"bulkUpdate\" | \"removeReferencesTo\" | \"openPointInTimeForType\" | \"closePointInTime\" | \"createPointInTimeFinder\" | \"errors\">; typeRegistry: Pick<", + "; typeRegistry: ", { "pluginId": "core", "scope": "server", "docId": "kibCoreSavedObjectsPluginApi", - "section": "def-server.SavedObjectTypeRegistry", - "text": "SavedObjectTypeRegistry" + "section": "def-server.ISavedObjectTypeRegistry", + "text": "ISavedObjectTypeRegistry" }, - ", \"getType\" | \"getVisibleTypes\" | \"getAllTypes\" | \"getImportableAndExportableTypes\" | \"isNamespaceAgnostic\" | \"isSingleNamespace\" | \"isMultiNamespace\" | \"isShareable\" | \"isHidden\" | \"getIndex\" | \"isImportableAndExportable\">; }; uiSettings: { client: ", + "; }; uiSettings: { client: ", { "pluginId": "core", "scope": "server", @@ -1106,9 +1106,9 @@ "\nRepresentation of a result returned by the {@link GlobalSearchPluginStart.find | `find` API}" ], "signature": [ - "Pick<", + "Omit<", "GlobalSearchProviderResult", - ", \"title\" | \"type\" | \"id\" | \"meta\" | \"icon\" | \"score\"> & { url: string; }" + ", \"url\"> & { url: string; }" ], "path": "x-pack/plugins/global_search/common/types.ts", "deprecated": false, diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index 99b8ed63a80e8f..3b25b7c0940d8d 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -16,7 +16,7 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 68 | 0 | 14 | 5 | diff --git a/api_docs/home.json b/api_docs/home.json index c80ab1a9841ebb..201d59db2b3f16 100644 --- a/api_docs/home.json +++ b/api_docs/home.json @@ -423,7 +423,7 @@ "EUI `IconType` for icon to be displayed to the user. EUI supports any known EUI icon, SVG URL, or ReactElement." ], "signature": [ - "string | React.ComponentClass<{}, any> | React.FunctionComponent<{}>" + "string | React.ComponentType<{}>" ], "path": "src/plugins/home/public/services/feature_catalogue/feature_catalogue_registry.ts", "deprecated": false @@ -558,7 +558,7 @@ "EUI `IconType` for icon to be displayed to the user. EUI supports any known EUI icon, SVG URL, or ReactElement." ], "signature": [ - "string | React.ComponentClass<{}, any> | React.FunctionComponent<{}>" + "string | React.ComponentType<{}>" ], "path": "src/plugins/home/public/services/feature_catalogue/feature_catalogue_registry.ts", "deprecated": false @@ -751,7 +751,23 @@ "label": "TutorialSetup", "description": [], "signature": [ - "{ setVariable: (key: string, value: unknown) => void; registerDirectoryHeaderLink: (id: string, component: React.FC<{}>) => void; registerModuleNotice: (id: string, component: React.FC<{ moduleName: string; }>) => void; registerCustomStatusCheck: (name: string, fnCallback: CustomStatusCheckCallback) => void; registerCustomComponent: (name: string, component: CustomComponent) => void; }" + "{ setVariable: (key: string, value: unknown) => void; registerDirectoryHeaderLink: (id: string, component: ", + { + "pluginId": "home", + "scope": "public", + "docId": "kibHomePluginApi", + "section": "def-public.TutorialDirectoryHeaderLinkComponent", + "text": "TutorialDirectoryHeaderLinkComponent" + }, + ") => void; registerModuleNotice: (id: string, component: ", + { + "pluginId": "home", + "scope": "public", + "docId": "kibHomePluginApi", + "section": "def-public.TutorialModuleNoticeComponent", + "text": "TutorialModuleNoticeComponent" + }, + ") => void; registerCustomStatusCheck: (name: string, fnCallback: CustomStatusCheckCallback) => void; registerCustomComponent: (name: string, component: CustomComponent) => void; }" ], "path": "src/plugins/home/public/plugin.ts", "deprecated": false, @@ -985,7 +1001,23 @@ "label": "tutorials", "description": [], "signature": [ - "{ setVariable: (key: string, value: unknown) => void; registerDirectoryHeaderLink: (id: string, component: React.FC<{}>) => void; registerModuleNotice: (id: string, component: React.FC<{ moduleName: string; }>) => void; registerCustomStatusCheck: (name: string, fnCallback: CustomStatusCheckCallback) => void; registerCustomComponent: (name: string, component: CustomComponent) => void; }" + "{ setVariable: (key: string, value: unknown) => void; registerDirectoryHeaderLink: (id: string, component: ", + { + "pluginId": "home", + "scope": "public", + "docId": "kibHomePluginApi", + "section": "def-public.TutorialDirectoryHeaderLinkComponent", + "text": "TutorialDirectoryHeaderLinkComponent" + }, + ") => void; registerModuleNotice: (id: string, component: ", + { + "pluginId": "home", + "scope": "public", + "docId": "kibHomePluginApi", + "section": "def-public.TutorialModuleNoticeComponent", + "text": "TutorialModuleNoticeComponent" + }, + ") => void; registerCustomStatusCheck: (name: string, fnCallback: CustomStatusCheckCallback) => void; registerCustomComponent: (name: string, component: CustomComponent) => void; }" ], "path": "src/plugins/home/public/plugin.ts", "deprecated": false @@ -1344,6 +1376,16 @@ "path": "src/plugins/home/server/services/tutorials/lib/tutorials_registry_types.ts", "deprecated": false, "children": [ + { + "parentPluginId": "home", + "id": "def-server.TutorialContext.kibanaBranch", + "type": "string", + "tags": [], + "label": "kibanaBranch", + "description": [], + "path": "src/plugins/home/server/services/tutorials/lib/tutorials_registry_types.ts", + "deprecated": false + }, { "parentPluginId": "home", "id": "def-server.TutorialContext.Unnamed", @@ -1394,7 +1436,7 @@ "label": "ArtifactsSchema", "description": [], "signature": [ - "{ readonly application?: Readonly<{} & { path: string; label: string; }> | undefined; readonly exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; readonly dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }" + "{ readonly application?: Readonly<{} & { label: string; path: string; }> | undefined; readonly exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; readonly dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }" ], "path": "src/plugins/home/server/services/tutorials/lib/tutorial_schema.ts", "deprecated": false, @@ -1408,7 +1450,7 @@ "label": "InstructionSetSchema", "description": [], "signature": [ - "{ readonly title?: string | undefined; readonly callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; readonly statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; readonly instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }" + "{ readonly title?: string | undefined; readonly callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; readonly statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; readonly instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }" ], "path": "src/plugins/home/server/services/tutorials/lib/tutorial_schema.ts", "deprecated": false, @@ -1422,7 +1464,7 @@ "label": "InstructionsSchema", "description": [], "signature": [ - "{ readonly params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; readonly instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }" + "{ readonly params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; readonly instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }" ], "path": "src/plugins/home/server/services/tutorials/lib/tutorial_schema.ts", "deprecated": false, @@ -1444,7 +1486,7 @@ "section": "def-server.Writable", "text": "Writable" }, - "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { fields: Record; id: string; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>[]; addSavedObjectsToSampleDataset: (id: string, savedObjects: ", + "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { id: string; fields: Record; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>[]; addSavedObjectsToSampleDataset: (id: string, savedObjects: ", "SavedObject", "[]) => void; addAppLinksToSampleDataset: (id: string, appLinks: ", { @@ -1484,7 +1526,7 @@ "section": "def-server.Writable", "text": "Writable" }, - "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { fields: Record; id: string; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>" + "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { id: string; fields: Record; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>" ], "path": "src/plugins/home/server/services/sample_data/lib/sample_dataset_registry_types.ts", "deprecated": false, @@ -1538,7 +1580,7 @@ "section": "def-server.TutorialContext", "text": "TutorialContext" }, - ") => Readonly<{ savedObjects?: any[] | undefined; isBeta?: boolean | undefined; euiIconType?: string | undefined; previewImagePath?: string | undefined; moduleName?: string | undefined; completionTimeMinutes?: number | undefined; elasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; onPremElasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; artifacts?: Readonly<{ application?: Readonly<{} & { path: string; label: string; }> | undefined; exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; } & { dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }> | undefined; savedObjectsInstallMsg?: string | undefined; customStatusCheckName?: string | undefined; integrationBrowserCategories?: string[] | undefined; eprPackageOverlap?: string | undefined; } & { name: string; id: string; category: \"metrics\" | \"security\" | \"other\" | \"logging\"; shortDescription: string; longDescription: string; onPrem: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }>; }>" + ") => Readonly<{ isBeta?: boolean | undefined; savedObjects?: any[] | undefined; euiIconType?: string | undefined; previewImagePath?: string | undefined; moduleName?: string | undefined; completionTimeMinutes?: number | undefined; elasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; onPremElasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; artifacts?: Readonly<{ application?: Readonly<{} & { label: string; path: string; }> | undefined; exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; } & { dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }> | undefined; savedObjectsInstallMsg?: string | undefined; customStatusCheckName?: string | undefined; integrationBrowserCategories?: string[] | undefined; eprPackageOverlap?: string | undefined; } & { id: string; name: string; category: \"other\" | \"security\" | \"metrics\" | \"logging\"; shortDescription: string; longDescription: string; onPrem: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }>; }>" ], "path": "src/plugins/home/server/services/tutorials/lib/tutorials_registry_types.ts", "deprecated": false, @@ -1574,7 +1616,7 @@ "label": "TutorialSchema", "description": [], "signature": [ - "{ readonly savedObjects?: any[] | undefined; readonly isBeta?: boolean | undefined; readonly euiIconType?: string | undefined; readonly previewImagePath?: string | undefined; readonly moduleName?: string | undefined; readonly completionTimeMinutes?: number | undefined; readonly elasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; readonly onPremElasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; readonly artifacts?: Readonly<{ application?: Readonly<{} & { path: string; label: string; }> | undefined; exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; } & { dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }> | undefined; readonly savedObjectsInstallMsg?: string | undefined; readonly customStatusCheckName?: string | undefined; readonly integrationBrowserCategories?: string[] | undefined; readonly eprPackageOverlap?: string | undefined; readonly name: string; readonly id: string; readonly category: \"metrics\" | \"security\" | \"other\" | \"logging\"; readonly shortDescription: string; readonly longDescription: string; readonly onPrem: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { type: \"string\" | \"number\"; id: string; label: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ iconType?: string | undefined; message?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; text?: string | undefined; error?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }>; }" + "{ readonly isBeta?: boolean | undefined; readonly savedObjects?: any[] | undefined; readonly euiIconType?: string | undefined; readonly previewImagePath?: string | undefined; readonly moduleName?: string | undefined; readonly completionTimeMinutes?: number | undefined; readonly elasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; readonly onPremElasticCloud?: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }> | undefined; readonly artifacts?: Readonly<{ application?: Readonly<{} & { label: string; path: string; }> | undefined; exportedFields?: Readonly<{} & { documentationUrl: string; }> | undefined; } & { dashboards: Readonly<{ linkLabel?: string | undefined; } & { id: string; isOverview: boolean; }>[]; }> | undefined; readonly savedObjectsInstallMsg?: string | undefined; readonly customStatusCheckName?: string | undefined; readonly integrationBrowserCategories?: string[] | undefined; readonly eprPackageOverlap?: string | undefined; readonly id: string; readonly name: string; readonly category: \"other\" | \"security\" | \"metrics\" | \"logging\"; readonly shortDescription: string; readonly longDescription: string; readonly onPrem: Readonly<{ params?: Readonly<{ defaultValue?: any; } & { label: string; type: \"string\" | \"number\"; id: string; }>[] | undefined; } & { instructionSets: Readonly<{ title?: string | undefined; callOut?: Readonly<{ message?: string | undefined; iconType?: string | undefined; } & { title: string; }> | undefined; statusCheck?: Readonly<{ title?: string | undefined; error?: string | undefined; text?: string | undefined; success?: string | undefined; btnLabel?: string | undefined; } & { esHitsCheck: Readonly<{} & { query: Record; index: string | string[]; }>; }> | undefined; } & { instructionVariants: Readonly<{ initialSelected?: boolean | undefined; } & { id: string; instructions: Readonly<{ title?: string | undefined; commands?: string[] | undefined; textPre?: string | undefined; textPost?: string | undefined; customComponentName?: string | undefined; } & {}>[]; }>[]; }>[]; }>; }" ], "path": "src/plugins/home/server/services/tutorials/lib/tutorial_schema.ts", "deprecated": false, @@ -1839,7 +1881,7 @@ "section": "def-server.Writable", "text": "Writable" }, - "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { fields: Record; id: string; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>[]; addSavedObjectsToSampleDataset: (id: string, savedObjects: ", + "[]; previewImagePath: string; overviewDashboard: string; dataIndices: Readonly<{} & { id: string; fields: Record; timeFields: string[]; dataPath: string; currentTimeMarker: string; preserveDayOfWeekTimeOfDay: boolean; }>[]; }>>[]; addSavedObjectsToSampleDataset: (id: string, savedObjects: ", "SavedObject", "[]) => void; addAppLinksToSampleDataset: (id: string, appLinks: ", { diff --git a/api_docs/home.mdx b/api_docs/home.mdx index 8513408e9c37e1..025d133d9cde17 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -16,9 +16,9 @@ Contact [Kibana Core](https://github.com/orgs/elastic/teams/kibana-core) for que **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 132 | 0 | 102 | 0 | +| 133 | 0 | 103 | 0 | ## Client diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index ebcd0818faf047..7caeaf14e34251 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -16,7 +16,7 @@ Contact [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-ma **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 4 | 0 | 4 | 0 | diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index ebfd2b60c98b23..4ddde876aa3b21 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -16,7 +16,7 @@ Contact [Stack Management](https://github.com/orgs/elastic/teams/kibana-stack-ma **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 169 | 3 | 164 | 3 | diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 5ac3690f674000..a81f6de1165d94 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -16,7 +16,7 @@ Contact [Logs and Metrics UI](https://github.com/orgs/elastic/teams/logs-metrics **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 25 | 0 | 22 | 3 | diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 4fa66efbef0b22..e240122179f762 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -16,7 +16,7 @@ Contact [App Services](https://github.com/orgs/elastic/teams/kibana-app-services **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 123 | 2 | 96 | 4 | diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 6cf89908707ee3..89e0fa09a674d1 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -16,7 +16,7 @@ Contact [Platform Security](https://github.com/orgs/elastic/teams/kibana-securit **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 28 | 0 | 18 | 0 | diff --git a/api_docs/kbn_ace.mdx b/api_docs/kbn_ace.mdx index dca62be25e1910..187d3e585e7575 100644 --- a/api_docs/kbn_ace.mdx +++ b/api_docs/kbn_ace.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 11 | 5 | 11 | 0 | diff --git a/api_docs/kbn_alerts.mdx b/api_docs/kbn_alerts.mdx index ceeb2b8d27e4d4..2f0acc4393f8b2 100644 --- a/api_docs/kbn_alerts.mdx +++ b/api_docs/kbn_alerts.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 9 | 1 | 9 | 0 | diff --git a/api_docs/kbn_analytics.json b/api_docs/kbn_analytics.json index a514d2a73da72b..deb67871ae603c 100644 --- a/api_docs/kbn_analytics.json +++ b/api_docs/kbn_analytics.json @@ -651,11 +651,7 @@ "description": [], "signature": [ "(newMetrics: ", - "ApplicationUsageMetric", - " | ", - "UiCounterMetric", - " | ", - "UserAgentMetric", + "Metric", " | ", "Metric", "[]) => { report: ", @@ -679,11 +675,7 @@ "label": "newMetrics", "description": [], "signature": [ - "ApplicationUsageMetric", - " | ", - "UiCounterMetric", - " | ", - "UserAgentMetric", + "Metric", " | ", "Metric", "[]" diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index 08202a64e17b1d..8cd520e8659ce5 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -16,9 +16,9 @@ Contact Ahmad Bamieh ahmadbamieh@gmail.com for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 69 | 0 | 69 | 4 | +| 69 | 0 | 69 | 2 | ## Common diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 8fd82f64fec05c..6f5dd21d46094f 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 16 | 0 | 16 | 0 | diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index b44198dfcbcfce..5cbf64e48fcfa6 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 11 | 0 | 11 | 0 | diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index ac89dc46c1900e..39615f18f26284 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 2 | 0 | 2 | 0 | diff --git a/api_docs/kbn_config.json b/api_docs/kbn_config.json index f8a49fd358863e..2e2937368b278b 100644 --- a/api_docs/kbn_config.json +++ b/api_docs/kbn_config.json @@ -894,7 +894,7 @@ "tags": [], "label": "config", "description": [ - "must not be mutated, return {@link ConfigDeprecationCommand} to change config shape." + "must not be mutated, return {@link ConfigDeprecationCommand } to change config shape." ], "signature": [ "{ readonly [x: string]: any; }" diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index 4f4058ccd45092..1a7eef06313ce6 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 66 | 0 | 46 | 1 | diff --git a/api_docs/kbn_config_schema.json b/api_docs/kbn_config_schema.json index 1860c719840b66..b2c350d51f4ce7 100644 --- a/api_docs/kbn_config_schema.json +++ b/api_docs/kbn_config_schema.json @@ -10,6 +10,112 @@ }, "server": { "classes": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType", + "type": "Class", + "tags": [], + "label": "AnyType", + "description": [], + "signature": [ + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.AnyType", + "text": "AnyType" + }, + " extends ", + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.Type", + "text": "Type" + }, + "" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType.Unnamed", + "type": "Function", + "tags": [], + "label": "Constructor", + "description": [], + "signature": [ + "any" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType.Unnamed.$1", + "type": "Object", + "tags": [], + "label": "options", + "description": [], + "signature": [ + "TypeOptions", + " | undefined" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType.handleError", + "type": "Function", + "tags": [], + "label": "handleError", + "description": [], + "signature": [ + "(type: string, { value }: Record) => string | undefined" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType.handleError.$1", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.AnyType.handleError.$2", + "type": "Object", + "tags": [], + "label": "{ value }", + "description": [], + "signature": [ + "Record" + ], + "path": "packages/kbn-config-schema/src/types/any_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, { "parentPluginId": "@kbn/config-schema", "id": "def-server.ByteSizeValue", @@ -242,7 +348,9 @@ "label": "toString", "description": [], "signature": [ - "(returnUnit?: \"b\" | \"kb\" | \"mb\" | \"gb\" | undefined) => string" + "(returnUnit?: ", + "ByteSizeValueUnit", + " | undefined) => string" ], "path": "packages/kbn-config-schema/src/byte_size_value/index.ts", "deprecated": false, @@ -255,7 +363,8 @@ "label": "returnUnit", "description": [], "signature": [ - "\"b\" | \"kb\" | \"mb\" | \"gb\" | undefined" + "ByteSizeValueUnit", + " | undefined" ], "path": "packages/kbn-config-schema/src/byte_size_value/index.ts", "deprecated": false, @@ -269,20 +378,20 @@ }, { "parentPluginId": "@kbn/config-schema", - "id": "def-server.ObjectType", + "id": "def-server.ConditionalType", "type": "Class", "tags": [], - "label": "ObjectType", + "label": "ConditionalType", "description": [], "signature": [ { "pluginId": "@kbn/config-schema", "scope": "server", "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.ObjectType", - "text": "ObjectType" + "section": "def-server.ConditionalType", + "text": "ConditionalType" }, - "

    extends ", + " extends ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -290,23 +399,194 @@ "section": "def-server.Type", "text": "Type" }, - "" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed", + "type": "Function", + "tags": [], + "label": "Constructor", + "description": [], + "signature": [ + "any" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed.$1", + "type": "Object", + "tags": [], + "label": "leftOperand", + "description": [], + "signature": [ + "Reference", + "" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed.$2", + "type": "CompoundType", + "tags": [], + "label": "rightOperand", + "description": [], + "signature": [ + "A | ", + "Reference", + " | ", + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.Type", + "text": "Type" + }, + "" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed.$3", + "type": "Object", + "tags": [], + "label": "equalType", + "description": [], + "signature": [ + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.Type", + "text": "Type" + }, + "" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed.$4", + "type": "Object", + "tags": [], + "label": "notEqualType", + "description": [], + "signature": [ + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.Type", + "text": "Type" + }, + "" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.Unnamed.$5", + "type": "Object", + "tags": [], + "label": "options", + "description": [], + "signature": [ + "TypeOptions", + " | undefined" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": false + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.handleError", + "type": "Function", + "tags": [], + "label": "handleError", + "description": [], + "signature": [ + "(type: string, { value }: Record) => string | undefined" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.handleError.$1", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ConditionalType.handleError.$2", + "type": "Object", + "tags": [], + "label": "{ value }", + "description": [], + "signature": [ + "Record" + ], + "path": "packages/kbn-config-schema/src/types/conditional_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/config-schema", + "id": "def-server.ObjectType", + "type": "Class", + "tags": [], + "label": "ObjectType", + "description": [], + "signature": [ { "pluginId": "@kbn/config-schema", "scope": "server", "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.TypeOf", - "text": "TypeOf" + "section": "def-server.ObjectType", + "text": "ObjectType" }, - " ? Key : never; }[keyof P]>]?: ", + "

    extends ", { "pluginId": "@kbn/config-schema", "scope": "server", "docId": "kibKbnConfigSchemaPluginApi", - "section": "def-server.TypeOf", - "text": "TypeOf" + "section": "def-server.Type", + "text": "Type" }, - " | undefined; } & { [K in keyof Pick]?: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -314,7 +594,7 @@ "section": "def-server.TypeOf", "text": "TypeOf" }, - " ? never : Key; }[keyof P]>]: ", + " | undefined; } & { [K in keyof RequiredProperties

    ]: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -382,17 +662,15 @@ "\nReturn a new `ObjectType` instance extended with given `newProps` properties.\nOriginal properties can be deleted from the copy by passing a `null` or `undefined` value for the key.\n" ], "signature": [ - " | null | undefined>>(newProps: NP, newOptions?: ", - "ObjectTypeOptions", - "> | undefined) => ExtendedObjectType" + ">(newProps: NP, newOptions?: ExtendedObjectTypeOptions | undefined) => ExtendedObjectType" ], "path": "packages/kbn-config-schema/src/types/object_type.ts", "deprecated": false, @@ -419,8 +697,7 @@ "label": "newOptions", "description": [], "signature": [ - "ObjectTypeOptions", - "> | undefined" + "ExtendedObjectTypeOptions | undefined" ], "path": "packages/kbn-config-schema/src/types/object_type.ts", "deprecated": false, @@ -988,7 +1265,13 @@ "{ any: (options?: ", "TypeOptions", " | undefined) => ", - "AnyType", + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.AnyType", + "text": "AnyType" + }, "; arrayOf: (itemType: ", { "pluginId": "@kbn/config-schema", @@ -1049,9 +1332,7 @@ "ConditionalTypeValue", ", B, C>(leftOperand: ", "Reference", - ", rightOperand: A | ", - "Reference", - " | ", + ", rightOperand: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -1059,7 +1340,9 @@ "section": "def-server.Type", "text": "Type" }, - ", equalType: ", + " | A | ", + "Reference", + ", equalType: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -1078,7 +1361,13 @@ ", options?: ", "TypeOptions", " | undefined) => ", - "ConditionalType", + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.ConditionalType", + "text": "ConditionalType" + }, "; contextRef: (key: string) => ", "ContextReference", "; duration: (options?: ", @@ -1185,15 +1474,15 @@ "section": "def-server.Type", "text": "Type" }, - "; object:

    ; object:

    >>(props: P, options?: ", + ">(props: P, options?: ", "ObjectTypeOptions", "

    | undefined) => ", { @@ -1848,7 +2137,13 @@ "(options?: ", "TypeOptions", " | undefined) => ", - "AnyType" + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.AnyType", + "text": "AnyType" + } ], "path": "packages/kbn-config-schema/src/index.ts", "deprecated": false, @@ -2078,9 +2373,7 @@ "ConditionalTypeValue", ", B, C>(leftOperand: ", "Reference", - ", rightOperand: A | ", - "Reference", - " | ", + ", rightOperand: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -2088,7 +2381,9 @@ "section": "def-server.Type", "text": "Type" }, - ", equalType: ", + " | A | ", + "Reference", + ", equalType: ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -2107,7 +2402,13 @@ ", options?: ", "TypeOptions", " | undefined) => ", - "ConditionalType", + { + "pluginId": "@kbn/config-schema", + "scope": "server", + "docId": "kibKbnConfigSchemaPluginApi", + "section": "def-server.ConditionalType", + "text": "ConditionalType" + }, "" ], "path": "packages/kbn-config-schema/src/index.ts", @@ -2136,9 +2437,6 @@ "label": "rightOperand", "description": [], "signature": [ - "A | ", - "Reference", - " | ", { "pluginId": "@kbn/config-schema", "scope": "server", @@ -2146,7 +2444,9 @@ "section": "def-server.Type", "text": "Type" }, - "" + " | A | ", + "Reference", + "" ], "path": "packages/kbn-config-schema/src/index.ts", "deprecated": false @@ -2623,15 +2923,15 @@ "label": "object", "description": [], "signature": [ - "

    >>(props: P, options?: ", + ">(props: P, options?: ", "ObjectTypeOptions", "

    | undefined) => ", { diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 41b143e7f2601a..9c4d23a526ffc2 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 109 | 3 | 107 | 18 | +| 125 | 3 | 123 | 17 | ## Server diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 287eac10434dfb..441ee558c5aa41 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 13 | 0 | 7 | 0 | diff --git a/api_docs/kbn_dev_utils.json b/api_docs/kbn_dev_utils.json index 843ad434b1d925..529541c63be1af 100644 --- a/api_docs/kbn_dev_utils.json +++ b/api_docs/kbn_dev_utils.json @@ -468,7 +468,7 @@ "\n Close the ProcRunner and stop all running\n processes with `signal`\n" ], "signature": [ - "(signal?: \"exit\" | \"SIGABRT\" | \"SIGALRM\" | \"SIGBUS\" | \"SIGCHLD\" | \"SIGCONT\" | \"SIGFPE\" | \"SIGHUP\" | \"SIGILL\" | \"SIGINT\" | \"SIGIO\" | \"SIGIOT\" | \"SIGKILL\" | \"SIGPIPE\" | \"SIGPOLL\" | \"SIGPROF\" | \"SIGPWR\" | \"SIGQUIT\" | \"SIGSEGV\" | \"SIGSTKFLT\" | \"SIGSTOP\" | \"SIGSYS\" | \"SIGTERM\" | \"SIGTRAP\" | \"SIGTSTP\" | \"SIGTTIN\" | \"SIGTTOU\" | \"SIGUNUSED\" | \"SIGURG\" | \"SIGUSR1\" | \"SIGUSR2\" | \"SIGVTALRM\" | \"SIGWINCH\" | \"SIGXCPU\" | \"SIGXFSZ\" | \"SIGBREAK\" | \"SIGLOST\" | \"SIGINFO\") => Promise" + "(signal?: \"exit\" | NodeJS.Signals) => Promise" ], "path": "packages/kbn-dev-utils/src/proc_runner/proc_runner.ts", "deprecated": false, @@ -481,7 +481,7 @@ "label": "signal", "description": [], "signature": [ - "\"exit\" | \"SIGABRT\" | \"SIGALRM\" | \"SIGBUS\" | \"SIGCHLD\" | \"SIGCONT\" | \"SIGFPE\" | \"SIGHUP\" | \"SIGILL\" | \"SIGINT\" | \"SIGIO\" | \"SIGIOT\" | \"SIGKILL\" | \"SIGPIPE\" | \"SIGPOLL\" | \"SIGPROF\" | \"SIGPWR\" | \"SIGQUIT\" | \"SIGSEGV\" | \"SIGSTKFLT\" | \"SIGSTOP\" | \"SIGSYS\" | \"SIGTERM\" | \"SIGTRAP\" | \"SIGTSTP\" | \"SIGTTIN\" | \"SIGTTOU\" | \"SIGUNUSED\" | \"SIGURG\" | \"SIGUSR1\" | \"SIGUSR2\" | \"SIGVTALRM\" | \"SIGWINCH\" | \"SIGXCPU\" | \"SIGXFSZ\" | \"SIGBREAK\" | \"SIGLOST\" | \"SIGINFO\"" + "\"exit\" | NodeJS.Signals" ], "path": "packages/kbn-dev-utils/src/proc_runner/proc_runner.ts", "deprecated": false, @@ -1185,7 +1185,7 @@ "label": "level", "description": [], "signature": [ - "\"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" + "\"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/tooling_log_collecting_writer.ts", "deprecated": false, @@ -1278,7 +1278,7 @@ "label": "level", "description": [], "signature": [ - "{ name: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { info: boolean; error: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" + "{ name: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { error: boolean; info: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" ], "path": "packages/kbn-dev-utils/src/tooling_log/tooling_log_text_writer.ts", "deprecated": false @@ -1484,67 +1484,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.concatStreamProviders", - "type": "Function", - "tags": [ - "return" - ], - "label": "concatStreamProviders", - "description": [ - "\n Write the data and errors from a list of stream providers\n to a single stream in order. Stream providers are only\n called right before they will be consumed, and only one\n provider will be active at a time.\n" - ], - "signature": [ - "(sourceProviders: (() => ", - "Readable", - ")[], options: ", - "TransformOptions", - " | undefined) => ", - "PassThrough" - ], - "path": "node_modules/@kbn/utils/target_types/streams/concat_stream_providers.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.concatStreamProviders.$1", - "type": "Array", - "tags": [], - "label": "sourceProviders", - "description": [], - "signature": [ - "(() => ", - "Readable", - ")[]" - ], - "path": "node_modules/@kbn/utils/target_types/streams/concat_stream_providers.d.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.concatStreamProviders.$2", - "type": "Object", - "tags": [], - "label": "options", - "description": [ - "options passed to the PassThrough constructor" - ], - "signature": [ - "TransformOptions", - " | undefined" - ], - "path": "node_modules/@kbn/utils/target_types/streams/concat_stream_providers.d.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [ - "combined stream" - ], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createAbsolutePathSerializer", @@ -1635,44 +1574,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createConcatStream", - "type": "Function", - "tags": [ - "return" - ], - "label": "createConcatStream", - "description": [ - "\n Creates a Transform stream that consumes all provided\n values and concatenates them using each values `concat`\n method.\n\n Concatenate strings:\n createListStream(['f', 'o', 'o'])\n .pipe(createConcatStream())\n .on('data', console.log)\n // logs \"foo\"\n\n Concatenate values into an array:\n createListStream([1,2,3])\n .pipe(createConcatStream([]))\n .on('data', console.log)\n // logs \"[1,2,3]\"\n\n" - ], - "signature": [ - "(initial: T | undefined) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/concat_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createConcatStream.$1", - "type": "Uncategorized", - "tags": [], - "label": "initial", - "description": [ - "The initial value that subsequent\nitems will concat with" - ], - "signature": [ - "T | undefined" - ], - "path": "node_modules/@kbn/utils/target_types/streams/concat_stream.d.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createFailError", @@ -1718,38 +1619,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createFilterStream", - "type": "Function", - "tags": [], - "label": "createFilterStream", - "description": [], - "signature": [ - "(fn: (obj: T) => boolean) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/filter_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createFilterStream.$1", - "type": "Function", - "tags": [], - "label": "fn", - "description": [], - "signature": [ - "(obj: T) => boolean" - ], - "path": "node_modules/@kbn/utils/target_types/streams/filter_stream.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createFlagError", @@ -1781,151 +1650,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createIntersperseStream", - "type": "Function", - "tags": [ - "return" - ], - "label": "createIntersperseStream", - "description": [ - "\n Create a Transform stream that receives values in object mode,\n and intersperses a chunk between each object received.\n\n This is useful for writing lists:\n\n createListStream(['foo', 'bar'])\n .pipe(createIntersperseStream('\\n'))\n .pipe(process.stdout) // outputs \"foo\\nbar\"\n\n Combine with a concat stream to get \"join\" like functionality:\n\n await createPromiseFromStreams([\n createListStream(['foo', 'bar']),\n createIntersperseStream(' '),\n createConcatStream()\n ]) // produces a single value \"foo bar\"\n" - ], - "signature": [ - "(intersperseChunk: string | Buffer) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/intersperse_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createIntersperseStream.$1", - "type": "CompoundType", - "tags": [], - "label": "intersperseChunk", - "description": [], - "signature": [ - "string | Buffer" - ], - "path": "node_modules/@kbn/utils/target_types/streams/intersperse_stream.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createListStream", - "type": "Function", - "tags": [ - "return" - ], - "label": "createListStream", - "description": [ - "\n Create a Readable stream that provides the items\n from a list as objects to subscribers\n" - ], - "signature": [ - "(items: T | T[] | undefined) => ", - "Readable" - ], - "path": "node_modules/@kbn/utils/target_types/streams/list_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createListStream.$1", - "type": "CompoundType", - "tags": [], - "label": "items", - "description": [ - "- the list of items to provide" - ], - "signature": [ - "T | T[] | undefined" - ], - "path": "node_modules/@kbn/utils/target_types/streams/list_stream.d.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createMapStream", - "type": "Function", - "tags": [], - "label": "createMapStream", - "description": [], - "signature": [ - "(fn: (value: T, i: number) => void) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/map_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createMapStream.$1", - "type": "Function", - "tags": [], - "label": "fn", - "description": [], - "signature": [ - "(value: T, i: number) => void" - ], - "path": "node_modules/@kbn/utils/target_types/streams/map_stream.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createPromiseFromStreams", - "type": "Function", - "tags": [], - "label": "createPromiseFromStreams", - "description": [], - "signature": [ - "(streams: [", - "Readable", - ", ...", - "Writable", - "[]]) => Promise" - ], - "path": "node_modules/@kbn/utils/target_types/streams/promise_from_streams.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createPromiseFromStreams.$1", - "type": "Object", - "tags": [], - "label": "streams", - "description": [], - "signature": [ - "[", - "Readable", - ", ...", - "Writable", - "[]]" - ], - "path": "node_modules/@kbn/utils/target_types/streams/promise_from_streams.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createRecursiveSerializer", @@ -1971,58 +1695,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReduceStream", - "type": "Function", - "tags": [ - "return" - ], - "label": "createReduceStream", - "description": [ - "\n Create a transform stream that consumes each chunk it receives\n and passes it to the reducer, which will return the new value\n for the stream. Once all chunks have been received the reduce\n stream provides the result of final call to the reducer to\n subscribers.\n" - ], - "signature": [ - "(reducer: (value: any, chunk: T, enc: string) => T, initial: T | undefined) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/reduce_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReduceStream.$1", - "type": "Function", - "tags": [], - "label": "reducer", - "description": [], - "signature": [ - "(value: any, chunk: T, enc: string) => T" - ], - "path": "node_modules/@kbn/utils/target_types/streams/reduce_stream.d.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReduceStream.$2", - "type": "Uncategorized", - "tags": [], - "label": "initial", - "description": [ - "Initial value for the stream, if undefined\nthen the first chunk provided is used as the\ninitial value." - ], - "signature": [ - "T | undefined" - ], - "path": "node_modules/@kbn/utils/target_types/streams/reduce_stream.d.ts", - "deprecated": false, - "isRequired": false - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createReplaceSerializer", @@ -2068,88 +1740,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReplaceStream", - "type": "Function", - "tags": [], - "label": "createReplaceStream", - "description": [], - "signature": [ - "(toReplace: string, replacement: string | Buffer) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/replace_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReplaceStream.$1", - "type": "string", - "tags": [], - "label": "toReplace", - "description": [], - "signature": [ - "string" - ], - "path": "node_modules/@kbn/utils/target_types/streams/replace_stream.d.ts", - "deprecated": false, - "isRequired": true - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createReplaceStream.$2", - "type": "CompoundType", - "tags": [], - "label": "replacement", - "description": [], - "signature": [ - "string | Buffer" - ], - "path": "node_modules/@kbn/utils/target_types/streams/replace_stream.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createSplitStream", - "type": "Function", - "tags": [ - "return" - ], - "label": "createSplitStream", - "description": [ - "\n Creates a Transform stream that consumes a stream of Buffers\n and produces a stream of strings (in object mode) by splitting\n the received bytes using the splitChunk.\n\n Ways this is behaves like String#split:\n - instances of splitChunk are removed from the input\n - splitChunk can be on any size\n - if there are no bytes found after the last splitChunk\n a final empty chunk is emitted\n\n Ways this deviates from String#split:\n - splitChunk cannot be a regexp\n - an empty string or Buffer will not produce a stream of individual\n bytes like `string.split('')` would\n" - ], - "signature": [ - "(splitChunk: string | Uint8Array) => ", - "Transform" - ], - "path": "node_modules/@kbn/utils/target_types/streams/split_stream.d.ts", - "deprecated": false, - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.createSplitStream.$1", - "type": "CompoundType", - "tags": [], - "label": "splitChunk", - "description": [], - "signature": [ - "string | Uint8Array" - ], - "path": "node_modules/@kbn/utils/target_types/streams/split_stream.d.ts", - "deprecated": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.createStripAnsiSerializer", @@ -2199,36 +1789,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.fromRoot", - "type": "Function", - "tags": [], - "label": "fromRoot", - "description": [], - "signature": [ - "(...paths: string[]) => string" - ], - "path": "node_modules/@kbn/utils/target_types/repo_root.d.ts", - "deprecated": false, - "returnComment": [], - "children": [ - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.fromRoot.$1", - "type": "Array", - "tags": [], - "label": "paths", - "description": [], - "signature": [ - "string[]" - ], - "path": "node_modules/@kbn/utils/target_types/repo_root.d.ts", - "deprecated": false - } - ], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.getFlags", @@ -2477,22 +2037,6 @@ "returnComment": [], "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.isKibanaDistributable", - "type": "Function", - "tags": [], - "label": "isKibanaDistributable", - "description": [], - "signature": [ - "() => any" - ], - "path": "node_modules/@kbn/utils/target_types/package_json/index.d.ts", - "deprecated": false, - "returnComment": [], - "children": [], - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.mergeFlagOptions", @@ -2695,7 +2239,7 @@ "label": "parseLogLevel", "description": [], "signature": [ - "(name: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\") => { name: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { info: boolean; error: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" + "(name: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\") => { name: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { error: boolean; info: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false, @@ -2708,7 +2252,7 @@ "label": "name", "description": [], "signature": [ - "\"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" + "\"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false, @@ -2726,7 +2270,7 @@ "label": "pickLevelFromFlags", "description": [], "signature": [ - "(flags: Record, options: { default?: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; }) => \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" + "(flags: Record, options: { default?: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; }) => \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false, @@ -2763,7 +2307,7 @@ "label": "default", "description": [], "signature": [ - "\"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined" + "\"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false @@ -3821,7 +3365,7 @@ "level/type of message" ], "signature": [ - "\"write\" | \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"verbose\"" + "\"error\" | \"write\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/message.ts", "deprecated": false @@ -3981,9 +3525,7 @@ "label": "statsMeta", "description": [], "signature": [ - "Map" + "Map" ], "path": "packages/kbn-dev-utils/src/run/run.ts", "deprecated": false @@ -4079,7 +3621,7 @@ "label": "log", "description": [], "signature": [ - "{ defaultLevel?: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; } | undefined" + "{ defaultLevel?: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; } | undefined" ], "path": "packages/kbn-dev-utils/src/run/run.ts", "deprecated": false @@ -4135,7 +3677,7 @@ "label": "log", "description": [], "signature": [ - "{ defaultLevel?: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; } | undefined" + "{ defaultLevel?: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\" | undefined; } | undefined" ], "path": "packages/kbn-dev-utils/src/run/run_with_commands.ts", "deprecated": false @@ -4368,7 +3910,7 @@ "\nLog level, messages below this level will be ignored" ], "signature": [ - "\"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" + "\"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/tooling_log_text_writer.ts", "deprecated": false @@ -4662,20 +4204,6 @@ "deprecated": false, "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.kibanaPackageJson", - "type": "Any", - "tags": [], - "label": "kibanaPackageJson", - "description": [], - "signature": [ - "any" - ], - "path": "node_modules/@kbn/utils/target_types/package_json/index.d.ts", - "deprecated": false, - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.LogLevel", @@ -4684,7 +4212,7 @@ "label": "LogLevel", "description": [], "signature": [ - "\"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" + "\"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false, @@ -4698,37 +4226,12 @@ "label": "ParsedLogLevel", "description": [], "signature": [ - "{ name: \"info\" | \"error\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { info: boolean; error: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" + "{ name: \"error\" | \"info\" | \"success\" | \"warning\" | \"debug\" | \"silent\" | \"verbose\"; flags: { error: boolean; info: boolean; success: boolean; warning: boolean; debug: boolean; silent: boolean; verbose: boolean; }; }" ], "path": "packages/kbn-dev-utils/src/tooling_log/log_levels.ts", "deprecated": false, "initialIsOpen": false }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.PathConfigType", - "type": "Type", - "tags": [], - "label": "PathConfigType", - "description": [], - "signature": [ - "{ readonly data: string; }" - ], - "path": "node_modules/@kbn/utils/target_types/path/index.d.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.REPO_ROOT", - "type": "string", - "tags": [], - "label": "REPO_ROOT", - "description": [], - "path": "node_modules/@kbn/utils/target_types/repo_root.d.ts", - "deprecated": false, - "initialIsOpen": false - }, { "parentPluginId": "@kbn/dev-utils", "id": "def-server.RunFn", @@ -4772,17 +4275,6 @@ } ], "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/dev-utils", - "id": "def-server.UPSTREAM_BRANCH", - "type": "string", - "tags": [], - "label": "UPSTREAM_BRANCH", - "description": [], - "path": "node_modules/@kbn/utils/target_types/repo_root.d.ts", - "deprecated": false, - "initialIsOpen": false } ], "objects": [] diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index ce584b7e24f1b2..76de61e81db1aa 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 280 | 3 | 214 | 0 | +| 250 | 3 | 194 | 0 | ## Server diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index 0c9103fe3a2cd7..064252914ae850 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 1 | 0 | 1 | 0 | diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index 3a6675f1626017..b7557c69234aa9 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 27 | 0 | 14 | 1 | diff --git a/api_docs/kbn_es_query.json b/api_docs/kbn_es_query.json index eb6bab043487a7..1c209df745cc90 100644 --- a/api_docs/kbn_es_query.json +++ b/api_docs/kbn_es_query.json @@ -1733,15 +1733,7 @@ "label": "getDataViewFieldSubtypeMulti", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", + "(field: HasSubtype) => ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -1762,15 +1754,7 @@ "label": "field", "description": [], "signature": [ - "Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">" + "HasSubtype" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -1788,15 +1772,7 @@ "label": "getDataViewFieldSubtypeNested", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => ", + "(field: HasSubtype) => ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -1817,15 +1793,7 @@ "label": "field", "description": [], "signature": [ - "Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">" + "HasSubtype" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -1843,15 +1811,7 @@ "label": "isDataViewFieldSubtypeMulti", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -1864,15 +1824,7 @@ "label": "field", "description": [], "signature": [ - "Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">" + "HasSubtype" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -1890,15 +1842,7 @@ "label": "isDataViewFieldSubtypeNested", "description": [], "signature": [ - "(field: Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">) => boolean" + "(field: HasSubtype) => boolean" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -1911,15 +1855,7 @@ "label": "field", "description": [], "signature": [ - "Pick<", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.DataViewFieldBase", - "text": "DataViewFieldBase" - }, - ", \"subType\">" + "HasSubtype" ], "path": "packages/kbn-es-query/src/utils.ts", "deprecated": false, @@ -3288,9 +3224,13 @@ "label": "subType", "description": [], "signature": [ - "IFieldSubTypeMultiOptional", - " | ", - "IFieldSubTypeNestedOptional", + { + "pluginId": "@kbn/es-query", + "scope": "common", + "docId": "kibKbnEsQueryPluginApi", + "section": "def-common.IFieldSubType", + "text": "IFieldSubType" + }, " | undefined" ], "path": "packages/kbn-es-query/src/es_query/types.ts", @@ -3321,7 +3261,8 @@ "\nScripted field langauge\nPainless is the only valid scripted field language" ], "signature": [ - "\"painless\" | \"expression\" | \"mustache\" | \"java\" | undefined" + "ScriptLanguage", + " | undefined" ], "path": "packages/kbn-es-query/src/es_query/types.ts", "deprecated": false @@ -3420,6 +3361,58 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.FunctionTypeBuildNode", + "type": "Interface", + "tags": [], + "label": "FunctionTypeBuildNode", + "description": [], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.FunctionTypeBuildNode.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"function\"" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.FunctionTypeBuildNode.function", + "type": "CompoundType", + "tags": [], + "label": "function", + "description": [], + "signature": [ + "\"nested\" | \"is\" | \"exists\" | \"and\" | \"or\" | \"range\" | \"not\"" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.FunctionTypeBuildNode.arguments", + "type": "Array", + "tags": [], + "label": "arguments", + "description": [], + "signature": [ + "any[]" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "@kbn/es-query", "id": "def-common.IFieldSubTypeMulti", @@ -3490,7 +3483,14 @@ "label": "type", "description": [], "signature": [ - "\"function\" | \"wildcard\" | \"literal\" | \"namedArg\"" + "keyof ", + { + "pluginId": "@kbn/es-query", + "scope": "common", + "docId": "kibKbnEsQueryPluginApi", + "section": "def-common.NodeTypes", + "text": "NodeTypes" + } ], "path": "packages/kbn-es-query/src/kuery/types.ts", "deprecated": false @@ -3585,6 +3585,58 @@ ], "initialIsOpen": false }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.NodeTypes", + "type": "Interface", + "tags": [], + "label": "NodeTypes", + "description": [], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.NodeTypes.function", + "type": "Object", + "tags": [], + "label": "function", + "description": [], + "signature": [ + "FunctionType" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.NodeTypes.literal", + "type": "Object", + "tags": [], + "label": "literal", + "description": [], + "signature": [ + "LiteralType" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/es-query", + "id": "def-common.NodeTypes.wildcard", + "type": "Object", + "tags": [], + "label": "wildcard", + "description": [], + "signature": [ + "WildcardType" + ], + "path": "packages/kbn-es-query/src/kuery/node_types/types.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, { "parentPluginId": "@kbn/es-query", "id": "def-common.RangeFilterParams", @@ -4190,9 +4242,9 @@ }, " & { meta: ", "PhraseFilterMeta", - "; script: { script: ", + "; query: { script: { script: ", "InlineScript", - "; }; }" + "; }; }; }" ], "path": "packages/kbn-es-query/src/filters/build_filters/phrase_filter.ts", "deprecated": false, @@ -4338,7 +4390,13 @@ "text": "KueryNode" }, ") => ", - "FunctionTypeBuildNode" + { + "pluginId": "@kbn/es-query", + "scope": "common", + "docId": "kibKbnEsQueryPluginApi", + "section": "def-common.FunctionTypeBuildNode", + "text": "FunctionTypeBuildNode" + } ], "path": "packages/kbn-es-query/src/kuery/node_types/node_builder.ts", "deprecated": false, @@ -4528,20 +4586,6 @@ "path": "packages/kbn-es-query/src/kuery/node_types/index.ts", "deprecated": false }, - { - "parentPluginId": "@kbn/es-query", - "id": "def-common.nodeTypes.namedArg", - "type": "Object", - "tags": [], - "label": "namedArg", - "description": [], - "signature": [ - "typeof ", - "packages/kbn-es-query/src/kuery/node_types/named_arg" - ], - "path": "packages/kbn-es-query/src/kuery/node_types/index.ts", - "deprecated": false - }, { "parentPluginId": "@kbn/es-query", "id": "def-common.nodeTypes.wildcard", diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index 424ccdd9d49d33..56ce2ca834d44b 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 205 | 1 | 153 | 14 | +| 212 | 1 | 160 | 11 | ## Common diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index b172967b36da7c..36933bdda99528 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 20 | 0 | 16 | 0 | diff --git a/api_docs/kbn_i18n.json b/api_docs/kbn_i18n.json index 7dfd6ff5cdf6f0..313889e4c4c3f3 100644 --- a/api_docs/kbn_i18n.json +++ b/api_docs/kbn_i18n.json @@ -19,7 +19,187 @@ "common": { "classes": [], "functions": [], - "interfaces": [], + "interfaces": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Formats", + "type": "Interface", + "tags": [], + "label": "Formats", + "description": [], + "path": "packages/kbn-i18n/src/core/formats.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Formats.number", + "type": "Object", + "tags": [], + "label": "number", + "description": [], + "signature": [ + "Partial<{ [key: string]: NumberFormatOptions<\"percent\" | \"currency\" | \"decimal\">; currency: NumberFormatOptions<\"currency\">; percent: NumberFormatOptions<\"percent\">; }> | undefined" + ], + "path": "packages/kbn-i18n/src/core/formats.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Formats.date", + "type": "Object", + "tags": [], + "label": "date", + "description": [], + "signature": [ + "Partial<{ [key: string]: DateTimeFormatOptions; short: DateTimeFormatOptions; medium: DateTimeFormatOptions; long: DateTimeFormatOptions; full: DateTimeFormatOptions; }> | undefined" + ], + "path": "packages/kbn-i18n/src/core/formats.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Formats.time", + "type": "Object", + "tags": [], + "label": "time", + "description": [], + "signature": [ + "Partial<{ [key: string]: DateTimeFormatOptions; short: DateTimeFormatOptions; medium: DateTimeFormatOptions; long: DateTimeFormatOptions; full: DateTimeFormatOptions; }> | undefined" + ], + "path": "packages/kbn-i18n/src/core/formats.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Formats.relative", + "type": "Object", + "tags": [], + "label": "relative", + "description": [], + "signature": [ + "Partial<{ [key: string]: { style?: \"numeric\" | \"best fit\" | undefined; units: \"year\" | \"month\" | \"day\" | \"hour\" | \"minute\" | \"second\"; }; }> | undefined" + ], + "path": "packages/kbn-i18n/src/core/formats.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.TranslateArguments", + "type": "Interface", + "tags": [], + "label": "TranslateArguments", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.TranslateArguments.values", + "type": "Object", + "tags": [], + "label": "values", + "description": [], + "signature": [ + "Record | undefined" + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.TranslateArguments.defaultMessage", + "type": "string", + "tags": [], + "label": "defaultMessage", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.TranslateArguments.description", + "type": "string", + "tags": [], + "label": "description", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Translation", + "type": "Interface", + "tags": [], + "label": "Translation", + "description": [], + "path": "packages/kbn-i18n/src/translation.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Translation.messages", + "type": "Object", + "tags": [], + "label": "messages", + "description": [ + "\nActual translated messages." + ], + "signature": [ + "{ [x: string]: string; }" + ], + "path": "packages/kbn-i18n/src/translation.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Translation.locale", + "type": "string", + "tags": [], + "label": "locale", + "description": [ + "\nLocale of the translated messages." + ], + "signature": [ + "string | undefined" + ], + "path": "packages/kbn-i18n/src/translation.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.Translation.formats", + "type": "Object", + "tags": [], + "label": "formats", + "description": [ + "\nSet of options to the underlying formatter." + ], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Formats", + "text": "Formats" + }, + " | undefined" + ], + "path": "packages/kbn-i18n/src/translation.ts", + "deprecated": false + } + ], + "initialIsOpen": false + } + ], "enums": [], "misc": [], "objects": [ @@ -30,12 +210,444 @@ "tags": [], "label": "i18n", "description": [], - "signature": [ - "typeof ", - "packages/kbn-i18n/src/core/index" - ], "path": "packages/kbn-i18n/src/index.ts", "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.formats", + "type": "Object", + "tags": [], + "label": "formats", + "description": [], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Formats", + "text": "Formats" + } + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.addTranslation", + "type": "Function", + "tags": [], + "label": "addTranslation", + "description": [], + "signature": [ + "(newTranslation: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + ", locale?: string | undefined) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.addTranslation.$1", + "type": "Object", + "tags": [], + "label": "newTranslation", + "description": [], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + } + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.addTranslation.$2", + "type": "string", + "tags": [], + "label": "locale", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.getTranslation", + "type": "Function", + "tags": [], + "label": "getTranslation", + "description": [], + "signature": [ + "() => ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + } + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setLocale", + "type": "Function", + "tags": [], + "label": "setLocale", + "description": [], + "signature": [ + "(locale: string) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setLocale.$1", + "type": "string", + "tags": [], + "label": "locale", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.getLocale", + "type": "Function", + "tags": [], + "label": "getLocale", + "description": [], + "signature": [ + "() => string" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setDefaultLocale", + "type": "Function", + "tags": [], + "label": "setDefaultLocale", + "description": [], + "signature": [ + "(locale: string) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setDefaultLocale.$1", + "type": "string", + "tags": [], + "label": "locale", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.getDefaultLocale", + "type": "Function", + "tags": [], + "label": "getDefaultLocale", + "description": [], + "signature": [ + "() => string" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setFormats", + "type": "Function", + "tags": [], + "label": "setFormats", + "description": [], + "signature": [ + "(newFormats: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Formats", + "text": "Formats" + }, + ") => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.setFormats.$1", + "type": "Object", + "tags": [], + "label": "newFormats", + "description": [], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Formats", + "text": "Formats" + } + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.getFormats", + "type": "Function", + "tags": [], + "label": "getFormats", + "description": [], + "signature": [ + "() => ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Formats", + "text": "Formats" + } + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.getRegisteredLocales", + "type": "Function", + "tags": [], + "label": "getRegisteredLocales", + "description": [], + "signature": [ + "() => string[]" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.translate", + "type": "Function", + "tags": [], + "label": "translate", + "description": [], + "signature": [ + "(id: string, { values, defaultMessage }: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.TranslateArguments", + "text": "TranslateArguments" + }, + ") => string" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.translate.$1", + "type": "string", + "tags": [], + "label": "id", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.translate.$2", + "type": "Object", + "tags": [], + "label": "__1", + "description": [], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.TranslateArguments", + "text": "TranslateArguments" + } + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.init", + "type": "Function", + "tags": [], + "label": "init", + "description": [], + "signature": [ + "(newTranslation?: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + " | undefined) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.init.$1", + "type": "Object", + "tags": [], + "label": "newTranslation", + "description": [], + "signature": [ + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + " | undefined" + ], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.load", + "type": "Function", + "tags": [], + "label": "load", + "description": [], + "signature": [ + "(translationsUrl: string) => Promise" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.load.$1", + "type": "string", + "tags": [], + "label": "translationsUrl", + "description": [], + "path": "packages/kbn-i18n/src/core/i18n.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.isPseudoLocale", + "type": "Function", + "tags": [], + "label": "isPseudoLocale", + "description": [], + "signature": [ + "(locale: string) => boolean" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.isPseudoLocale.$1", + "type": "string", + "tags": [], + "label": "locale", + "description": [], + "path": "packages/kbn-i18n/src/core/pseudo_locale.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.translateUsingPseudoLocale", + "type": "Function", + "tags": [], + "label": "translateUsingPseudoLocale", + "description": [], + "signature": [ + "(message: string) => string" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18n.translateUsingPseudoLocale.$1", + "type": "string", + "tags": [], + "label": "message", + "description": [], + "path": "packages/kbn-i18n/src/core/pseudo_locale.ts", + "deprecated": false + } + ] + } + ], "initialIsOpen": false }, { @@ -45,12 +657,174 @@ "tags": [], "label": "i18nLoader", "description": [], - "signature": [ - "typeof ", - "packages/kbn-i18n/src/loader" - ], "path": "packages/kbn-i18n/src/index.ts", "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.registerTranslationFile", + "type": "Function", + "tags": [], + "label": "registerTranslationFile", + "description": [], + "signature": [ + "(translationFilePath: string) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.registerTranslationFile.$1", + "type": "string", + "tags": [], + "label": "translationFilePath", + "description": [], + "path": "packages/kbn-i18n/src/loader.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.registerTranslationFiles", + "type": "Function", + "tags": [], + "label": "registerTranslationFiles", + "description": [], + "signature": [ + "(arrayOfPaths?: string[]) => void" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.registerTranslationFiles.$1", + "type": "Array", + "tags": [], + "label": "arrayOfPaths", + "description": [], + "signature": [ + "string[]" + ], + "path": "packages/kbn-i18n/src/loader.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getTranslationsByLocale", + "type": "Function", + "tags": [], + "label": "getTranslationsByLocale", + "description": [], + "signature": [ + "(locale: string) => Promise<", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + ">" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getTranslationsByLocale.$1", + "type": "string", + "tags": [], + "label": "locale", + "description": [], + "path": "packages/kbn-i18n/src/loader.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getAllTranslations", + "type": "Function", + "tags": [], + "label": "getAllTranslations", + "description": [], + "signature": [ + "() => Promise<{ [key: string]: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + "; }>" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getAllTranslationsFromPaths", + "type": "Function", + "tags": [], + "label": "getAllTranslationsFromPaths", + "description": [], + "signature": [ + "(paths: string[]) => Promise<{ [key: string]: ", + { + "pluginId": "@kbn/i18n", + "scope": "common", + "docId": "kibKbnI18nPluginApi", + "section": "def-common.Translation", + "text": "Translation" + }, + "; }>" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [ + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getAllTranslationsFromPaths.$1", + "type": "Array", + "tags": [], + "label": "paths", + "description": [], + "signature": [ + "string[]" + ], + "path": "packages/kbn-i18n/src/loader.ts", + "deprecated": false + } + ] + }, + { + "parentPluginId": "@kbn/i18n", + "id": "def-common.i18nLoader.getRegisteredLocales", + "type": "Function", + "tags": [], + "label": "getRegisteredLocales", + "description": [], + "signature": [ + "() => string[]" + ], + "path": "packages/kbn-i18n/src/index.ts", + "deprecated": false, + "returnComment": [], + "children": [] + } + ], "initialIsOpen": false } ] diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 3e63ac31bf7da6..49d02964e42b40 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -16,12 +16,15 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2 | 0 | 2 | 2 | +| 51 | 0 | 48 | 0 | ## Common ### Objects +### Interfaces + + diff --git a/api_docs/kbn_interpreter.json b/api_docs/kbn_interpreter.json new file mode 100644 index 00000000000000..654d1fc5b9037c --- /dev/null +++ b/api_docs/kbn_interpreter.json @@ -0,0 +1,510 @@ +{ + "id": "@kbn/interpreter", + "client": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "server": { + "classes": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry", + "type": "Class", + "tags": [], + "label": "Registry", + "description": [], + "signature": [ + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.Registry", + "text": "Registry" + }, + "" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.Unnamed", + "type": "Function", + "tags": [], + "label": "Constructor", + "description": [], + "signature": [ + "any" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.Unnamed.$1", + "type": "string", + "tags": [], + "label": "prop", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.wrapper", + "type": "Function", + "tags": [], + "label": "wrapper", + "description": [], + "signature": [ + "(obj: ItemSpec) => Item" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.wrapper.$1", + "type": "Uncategorized", + "tags": [], + "label": "obj", + "description": [], + "signature": [ + "ItemSpec" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.register", + "type": "Function", + "tags": [], + "label": "register", + "description": [], + "signature": [ + "(fn: () => ItemSpec) => void" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.register.$1", + "type": "Function", + "tags": [], + "label": "fn", + "description": [], + "signature": [ + "() => ItemSpec" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.toJS", + "type": "Function", + "tags": [], + "label": "toJS", + "description": [], + "signature": [ + "() => { [key: string]: any; }" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.toArray", + "type": "Function", + "tags": [], + "label": "toArray", + "description": [], + "signature": [ + "() => Item[]" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.get", + "type": "Function", + "tags": [], + "label": "get", + "description": [], + "signature": [ + "(name: string) => Item" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.get.$1", + "type": "string", + "tags": [], + "label": "name", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.getProp", + "type": "Function", + "tags": [], + "label": "getProp", + "description": [], + "signature": [ + "() => string" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [], + "returnComment": [] + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Registry.reset", + "type": "Function", + "tags": [], + "label": "reset", + "description": [], + "signature": [ + "() => void" + ], + "path": "packages/kbn-interpreter/src/common/lib/registry.ts", + "deprecated": false, + "children": [], + "returnComment": [] + } + ], + "initialIsOpen": false + } + ], + "functions": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.fromExpression", + "type": "Function", + "tags": [], + "label": "fromExpression", + "description": [], + "signature": [ + "(expression: string, type: string) => ", + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.Ast", + "text": "Ast" + } + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.fromExpression.$1", + "type": "string", + "tags": [], + "label": "expression", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.fromExpression.$2", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.getType", + "type": "Function", + "tags": [], + "label": "getType", + "description": [], + "signature": [ + "(node: any) => string" + ], + "path": "packages/kbn-interpreter/src/common/lib/get_type.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.getType.$1", + "type": "Any", + "tags": [], + "label": "node", + "description": [], + "signature": [ + "any" + ], + "path": "packages/kbn-interpreter/src/common/lib/get_type.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.safeElementFromExpression", + "type": "Function", + "tags": [], + "label": "safeElementFromExpression", + "description": [], + "signature": [ + "(expression: string) => ", + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.Ast", + "text": "Ast" + } + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.safeElementFromExpression.$1", + "type": "string", + "tags": [], + "label": "expression", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.toExpression", + "type": "Function", + "tags": [], + "label": "toExpression", + "description": [], + "signature": [ + "(astObj: ", + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.Ast", + "text": "Ast" + }, + ", type: string) => string" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.toExpression.$1", + "type": "Object", + "tags": [], + "label": "astObj", + "description": [], + "signature": [ + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.Ast", + "text": "Ast" + } + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "isRequired": true + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.toExpression.$2", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "string" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Ast", + "type": "Interface", + "tags": [], + "label": "Ast", + "description": [], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Ast.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"expression\"" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.Ast.chain", + "type": "Array", + "tags": [], + "label": "chain", + "description": [], + "signature": [ + { + "pluginId": "@kbn/interpreter", + "scope": "server", + "docId": "kibKbnInterpreterPluginApi", + "section": "def-server.ExpressionFunctionAST", + "text": "ExpressionFunctionAST" + }, + "[]" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false + } + ], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.ExpressionFunctionAST", + "type": "Interface", + "tags": [], + "label": "ExpressionFunctionAST", + "description": [], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false, + "children": [ + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.ExpressionFunctionAST.type", + "type": "string", + "tags": [], + "label": "type", + "description": [], + "signature": [ + "\"function\"" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.ExpressionFunctionAST.function", + "type": "string", + "tags": [], + "label": "function", + "description": [], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false + }, + { + "parentPluginId": "@kbn/interpreter", + "id": "def-server.ExpressionFunctionAST.arguments", + "type": "Object", + "tags": [], + "label": "arguments", + "description": [], + "signature": [ + "{ [key: string]: ", + "ExpressionArgAST", + "[]; }" + ], + "path": "packages/kbn-interpreter/src/common/lib/ast.ts", + "deprecated": false + } + ], + "initialIsOpen": false + } + ], + "enums": [], + "misc": [], + "objects": [] + }, + "common": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + } +} \ No newline at end of file diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx new file mode 100644 index 00000000000000..19d302bb306f51 --- /dev/null +++ b/api_docs/kbn_interpreter.mdx @@ -0,0 +1,33 @@ +--- +id: kibKbnInterpreterPluginApi +slug: /kibana-dev-docs/api/kbn-interpreter +title: "@kbn/interpreter" +image: https://source.unsplash.com/400x175/?github +summary: API docs for the @kbn/interpreter plugin +date: 2020-11-16 +tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] +warning: This document is auto-generated and is meant to be viewed inside our experimental, new docs system. Reach out in #docs-engineering for more info. +--- +import kbnInterpreterObj from './kbn_interpreter.json'; + + + +Contact [Owner missing] for questions regarding this plugin. + +**Code health stats** + +| Public API count | Any count | Items lacking comments | Missing exports | +|-------------------|-----------|------------------------|-----------------| +| 30 | 1 | 30 | 1 | + +## Server + +### Functions + + +### Classes + + +### Interfaces + + diff --git a/api_docs/kbn_io_ts_utils.json b/api_docs/kbn_io_ts_utils.json index e4bb841efe9e53..b7af72f41f1ff1 100644 --- a/api_docs/kbn_io_ts_utils.json +++ b/api_docs/kbn_io_ts_utils.json @@ -53,58 +53,16 @@ "(type: ", "Type", " | ", - "StringType", - " | ", - "BooleanType", - " | ", - "NumberType", - " | ", - "ArrayType", - "<", - "Mixed", - ", any, any, unknown> | ", - "RecordC", - "<", - "Mixed", - ", ", - "Mixed", - "> | ", - "DictionaryType", - "<", - "Mixed", - ", ", - "Mixed", - ", any, any, unknown> | ", - "InterfaceType", - "<", - "Props", - ", any, any, unknown> | ", - "PartialType", - "<", - "Props", - ", any, any, unknown> | ", - "UnionType", - "<", - "Mixed", - "[], any, any, unknown> | ", - "IntersectionType", - "<", - "Mixed", - "[], any, any, unknown> | ", - "MergeType", - "<", - "Mixed", - ", ", - "Mixed", - ">) => ", + "ParseableType", + ") => ", "Type", " | ", "StringType", " | ", - "BooleanType", - " | ", "NumberType", " | ", + "BooleanType", + " | ", "RecordC", "<", "Mixed", @@ -141,50 +99,7 @@ "signature": [ "Type", " | ", - "StringType", - " | ", - "BooleanType", - " | ", - "NumberType", - " | ", - "ArrayType", - "<", - "Mixed", - ", any, any, unknown> | ", - "RecordC", - "<", - "Mixed", - ", ", - "Mixed", - "> | ", - "DictionaryType", - "<", - "Mixed", - ", ", - "Mixed", - ", any, any, unknown> | ", - "InterfaceType", - "<", - "Props", - ", any, any, unknown> | ", - "PartialType", - "<", - "Props", - ", any, any, unknown> | ", - "UnionType", - "<", - "Mixed", - "[], any, any, unknown> | ", - "IntersectionType", - "<", - "Mixed", - "[], any, any, unknown> | ", - "MergeType", - "<", - "Mixed", - ", ", - "Mixed", - ">" + "ParseableType" ], "path": "packages/kbn-io-ts-utils/src/deep_exact_rt/index.ts", "deprecated": false, diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 445586d8426ff2..ca7f28de82b58b 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 18 | 0 | 18 | 2 | +| 18 | 0 | 18 | 3 | ## Server diff --git a/api_docs/kbn_logging.json b/api_docs/kbn_logging.json index 6f750cfb91347f..5b2dc28bdcee7b 100644 --- a/api_docs/kbn_logging.json +++ b/api_docs/kbn_logging.json @@ -616,7 +616,7 @@ "label": "EcsEventCategory", "description": [], "signature": [ - "\"database\" | \"package\" | \"host\" | \"session\" | \"file\" | \"registry\" | \"network\" | \"web\" | \"process\" | \"authentication\" | \"configuration\" | \"driver\" | \"iam\" | \"intrusion_detection\" | \"malware\"" + "\"database\" | \"package\" | \"network\" | \"web\" | \"host\" | \"session\" | \"file\" | \"process\" | \"registry\" | \"authentication\" | \"configuration\" | \"driver\" | \"iam\" | \"intrusion_detection\" | \"malware\"" ], "path": "packages/kbn-logging/src/ecs/event.ts", "deprecated": false, @@ -658,7 +658,7 @@ "label": "EcsEventType", "description": [], "signature": [ - "\"start\" | \"end\" | \"user\" | \"info\" | \"group\" | \"error\" | \"connection\" | \"protocol\" | \"access\" | \"admin\" | \"allowed\" | \"change\" | \"creation\" | \"deletion\" | \"denied\" | \"installation\"" + "\"start\" | \"user\" | \"error\" | \"end\" | \"info\" | \"group\" | \"connection\" | \"protocol\" | \"access\" | \"admin\" | \"allowed\" | \"change\" | \"creation\" | \"deletion\" | \"denied\" | \"installation\"" ], "path": "packages/kbn-logging/src/ecs/event.ts", "deprecated": false, @@ -674,9 +674,9 @@ "\nRepresents the ECS schema with the following reserved keys excluded:\n- `ecs`\n- `@timestamp`\n- `message`\n- `log.level`\n- `log.logger`\n" ], "signature": [ - "Pick<", + "Omit<", "EcsBase", - ", \"tags\" | \"labels\"> & ", + ", \"message\" | \"@timestamp\"> & ", "EcsTracing", " & { agent?: ", "EcsAgent", @@ -704,9 +704,9 @@ "EcsHost", " | undefined; http?: ", "EcsHttp", - " | undefined; log?: Pick<", + " | undefined; log?: Omit<", "EcsLog", - ", \"origin\" | \"file\" | \"syslog\"> | undefined; network?: ", + ", \"logger\" | \"level\"> | undefined; network?: ", "EcsNetwork", " | undefined; observer?: ", "EcsObserver", diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index 692a4b47fa5c56..b3d493ffa60646 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 30 | 0 | 5 | 37 | +| 30 | 0 | 5 | 36 | ## Server diff --git a/api_docs/kbn_mapbox_gl.json b/api_docs/kbn_mapbox_gl.json index 89817e66690bf4..e7df5d6118ad91 100644 --- a/api_docs/kbn_mapbox_gl.json +++ b/api_docs/kbn_mapbox_gl.json @@ -452,7 +452,7 @@ "Extend the bounds to include a given LngLat or LngLatBounds." ], "signature": [ - "(obj: maplibregl.LngLatBoundsLike) => this" + "(obj: [number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; }) => this" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -465,7 +465,7 @@ "label": "obj", "description": [], "signature": [ - "maplibregl.LngLatBoundsLike" + "[number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -854,7 +854,7 @@ "tags": [], "label": "control", "description": [ - "The {@link IControl} to check." + "The {@link IControl } to check." ], "signature": [ "maplibregl.IControl" @@ -936,7 +936,7 @@ "label": "setMaxBounds", "description": [], "signature": [ - "(lnglatbounds?: [number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; } | undefined) => this" + "(lnglatbounds?: maplibregl.LngLatBoundsLike | undefined) => this" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -949,7 +949,7 @@ "label": "lnglatbounds", "description": [], "signature": [ - "[number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; } | undefined" + "maplibregl.LngLatBoundsLike | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -1298,7 +1298,7 @@ "\nReturns an array of GeoJSON Feature objects representing visible features that satisfy the query parameters.\n\nThe properties value of each returned feature object contains the properties of its source feature. For GeoJSON sources, only string and numeric property values are supported (i.e. null, Array, and Object values are not supported).\n\nEach feature includes top-level layer, source, and sourceLayer properties. The layer property is an object representing the style layer to which the feature belongs. Layout and paint properties in this object contain values which are fully evaluated for the given zoom level and feature.\n\nOnly features that are currently rendered are included. Some features will not be included, like:\n\n- Features from layers whose visibility property is \"none\".\n- Features from layers whose zoom range excludes the current zoom level.\n- Symbol features that have been hidden due to text or icon collision.\n\nFeatures from all other layers are included, including features that may have no visible contribution to the rendered result; for example, because the layer's opacity or color alpha component is set to 0.\n\nThe topmost rendered feature appears first in the returned array, and subsequent features are sorted by descending z-order. Features that are rendered multiple times (due to wrapping across the antimeridian at low zoom levels) are returned only once (though subject to the following caveat).\n\nBecause features come from tiled vector data or GeoJSON data that is converted to tiles internally, feature geometries may be split or duplicated across tile boundaries and, as a result, features may appear multiple times in query results. For example, suppose there is a highway running through the bounding rectangle of a query. The results of the query will be those parts of the highway that lie within the map tiles covering the bounding rectangle, even if the highway extends into other tiles, and the portion of the highway within each map tile will be returned as a separate feature. Similarly, a point feature near a tile boundary may appear in multiple tiles due to tile buffering.\n" ], "signature": [ - "(pointOrBox?: [number, number] | maplibregl.Point | [maplibregl.PointLike, maplibregl.PointLike] | undefined, options?: ({ layers?: string[] | undefined; filter?: any[] | undefined; } & maplibregl.FilterOptions) | undefined) => maplibregl.MapboxGeoJSONFeature[]" + "(pointOrBox?: maplibregl.PointLike | [maplibregl.PointLike, maplibregl.PointLike] | undefined, options?: ({ layers?: string[] | undefined; filter?: any[] | undefined; } & maplibregl.FilterOptions) | undefined) => maplibregl.MapboxGeoJSONFeature[]" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -1313,7 +1313,7 @@ "The geometry of the query region: either a single point or southwest and northeast points describing a bounding box. Omitting this parameter (i.e. calling Map#queryRenderedFeatures with zero arguments, or with only a options argument) is equivalent to passing a bounding box encompassing the entire map viewport." ], "signature": [ - "[number, number] | maplibregl.Point | [maplibregl.PointLike, maplibregl.PointLike] | undefined" + "maplibregl.PointLike | [maplibregl.PointLike, maplibregl.PointLike] | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -3822,7 +3822,7 @@ "label": "on", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -3880,7 +3880,7 @@ "label": "on", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -3924,7 +3924,7 @@ "label": "on", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -3968,7 +3968,7 @@ "label": "once", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -4026,7 +4026,7 @@ "label": "once", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -4070,7 +4070,7 @@ "label": "once", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -4114,7 +4114,7 @@ "label": "off", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -4172,7 +4172,7 @@ "label": "off", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -4216,7 +4216,7 @@ "label": "off", "description": [], "signature": [ - "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" + "{ (type: T, layer: string, listener: (ev: maplibregl.MapLayerEventType[T] & maplibregl.EventData) => void): this; (type: T, listener: (ev: maplibregl.MapEventType[T] & maplibregl.EventData) => void): this; (type: string, listener: (ev: any) => void): this; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -5610,7 +5610,7 @@ "label": "source", "description": [], "signature": [ - "string | maplibregl.GeoJSONSourceRaw | maplibregl.VideoSourceRaw | maplibregl.ImageSourceRaw | maplibregl.CanvasSourceRaw | maplibregl.VectorSource | maplibregl.RasterSource | maplibregl.RasterDemSource | undefined" + "string | maplibregl.AnySourceData | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -5790,7 +5790,7 @@ "The initial bounds of the map. If bounds is specified, it overrides center and zoom constructor options." ], "signature": [ - "[number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; } | undefined" + "maplibregl.LngLatBoundsLike | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -5820,7 +5820,7 @@ "initial map center" ], "signature": [ - "[number, number] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; } | undefined" + "maplibregl.LngLatLike | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -6102,7 +6102,7 @@ "If set, the map is constrained to the given bounds." ], "signature": [ - "[number, number] | [number, number, number, number] | maplibregl.LngLatBounds | [maplibregl.LngLatLike, maplibregl.LngLatLike] | maplibregl.LngLat | { lng: number; lat: number; } | { lon: number; lat: number; } | undefined" + "maplibregl.LngLatBoundsLike | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -6750,7 +6750,7 @@ "label": "scheme", "description": [], "signature": [ - "\"tms\" | \"xyz\" | undefined" + "\"xyz\" | \"tms\" | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -6802,7 +6802,7 @@ "label": "promoteId", "description": [], "signature": [ - "string | { [key: string]: string; } | undefined" + "maplibregl.PromoteIdSpecification | undefined" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false @@ -6815,41 +6815,27 @@ "misc": [ { "parentPluginId": "@kbn/mapbox-gl", - "id": "def-server.maplibregldistmaplibreglcsp", - "type": "Any", - "tags": [], - "label": "'maplibre-gl/dist/maplibre-gl-csp'", - "description": [], - "signature": [ - "any" - ], - "path": "node_modules/@kbn/mapbox-gl/target_types/typings.d.ts", - "deprecated": false, - "initialIsOpen": false - }, - { - "parentPluginId": "@kbn/mapbox-gl", - "id": "def-server.maplibregldistmaplibreglcsp", - "type": "Any", + "id": "def-server.AnyLayer", + "type": "Type", "tags": [], - "label": "'maplibre-gl/dist/maplibre-gl-csp'", + "label": "AnyLayer", "description": [], "signature": [ - "any" + "maplibregl.BackgroundLayer | maplibregl.CircleLayer | maplibregl.FillExtrusionLayer | maplibregl.FillLayer | maplibregl.HeatmapLayer | maplibregl.HillshadeLayer | maplibregl.LineLayer | maplibregl.RasterLayer | maplibregl.SymbolLayer | maplibregl.CustomLayerInterface" ], - "path": "packages/kbn-mapbox-gl/src/typings.ts", + "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, "initialIsOpen": false }, { "parentPluginId": "@kbn/mapbox-gl", - "id": "def-server.AnyLayer", + "id": "def-server.MapboxGeoJSONFeature", "type": "Type", "tags": [], - "label": "AnyLayer", + "label": "MapboxGeoJSONFeature", "description": [], "signature": [ - "maplibregl.BackgroundLayer | maplibregl.CircleLayer | maplibregl.FillExtrusionLayer | maplibregl.FillLayer | maplibregl.HeatmapLayer | maplibregl.HillshadeLayer | maplibregl.LineLayer | maplibregl.RasterLayer | maplibregl.SymbolLayer | maplibregl.CustomLayerInterface" + "GeoJSON.Feature & { layer: maplibregl.Layer; source: string; sourceLayer: string; state: { [key: string]: any; }; }" ], "path": "node_modules/maplibre-gl/src/index.d.ts", "deprecated": false, @@ -6857,15 +6843,15 @@ }, { "parentPluginId": "@kbn/mapbox-gl", - "id": "def-server.MapboxGeoJSONFeature", - "type": "Type", + "id": "def-server.mapboxgl", + "type": "Any", "tags": [], - "label": "MapboxGeoJSONFeature", + "label": "mapboxgl", "description": [], "signature": [ - "GeoJSON.Feature & { layer: maplibregl.Layer; source: string; sourceLayer: string; state: { [key: string]: any; }; }" + "any" ], - "path": "node_modules/maplibre-gl/src/index.d.ts", + "path": "packages/kbn-mapbox-gl/src/index.ts", "deprecated": false, "initialIsOpen": false }, diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index aebd25ed462534..77e9cfbeed0086 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 467 | 1 | 378 | 0 | +| 466 | 1 | 377 | 0 | ## Server diff --git a/api_docs/kbn_monaco.json b/api_docs/kbn_monaco.json index 68eec7f21c5425..00a9ed2a113a96 100644 --- a/api_docs/kbn_monaco.json +++ b/api_docs/kbn_monaco.json @@ -415,7 +415,7 @@ "label": "kind", "description": [], "signature": [ - "\"type\" | \"field\" | \"keyword\" | \"property\" | \"method\" | \"class\" | \"constructor\"" + "\"keyword\" | \"type\" | \"field\" | \"property\" | \"method\" | \"class\" | \"constructor\"" ], "path": "packages/kbn-monaco/src/painless/types.ts", "deprecated": false @@ -544,7 +544,7 @@ "label": "PainlessCompletionKind", "description": [], "signature": [ - "\"type\" | \"field\" | \"keyword\" | \"property\" | \"method\" | \"class\" | \"constructor\"" + "\"keyword\" | \"type\" | \"field\" | \"property\" | \"method\" | \"class\" | \"constructor\"" ], "path": "packages/kbn-monaco/src/painless/types.ts", "deprecated": false, diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 05885275a11fbb..df62501231b774 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 55 | 0 | 55 | 2 | diff --git a/api_docs/kbn_optimizer.json b/api_docs/kbn_optimizer.json index 4cbec9e2815277..8914274c1f9033 100644 --- a/api_docs/kbn_optimizer.json +++ b/api_docs/kbn_optimizer.json @@ -300,9 +300,8 @@ "label": "getCacheableWorkerConfig", "description": [], "signature": [ - "() => Pick<", - "WorkerConfig", - ", \"dist\" | \"repoRoot\" | \"themeTags\" | \"browserslistEnv\" | \"optimizerCacheKey\">" + "() => ", + "CacheableWorkerConfig" ], "path": "packages/kbn-optimizer/src/optimizer/optimizer_config.ts", "deprecated": false, @@ -323,13 +322,7 @@ "description": [], "signature": [ "(log: ", - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - }, + "ToolingLog", ") => ", "MonoTypeOperatorFunction", "<", @@ -353,13 +346,7 @@ "label": "log", "description": [], "signature": [ - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - } + "ToolingLog" ], "path": "packages/kbn-optimizer/src/log_optimizer_progress.ts", "deprecated": false, @@ -378,13 +365,7 @@ "description": [], "signature": [ "(log: ", - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - }, + "ToolingLog", ", config: ", { "pluginId": "@kbn/optimizer", @@ -422,13 +403,7 @@ "label": "log", "description": [], "signature": [ - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - } + "ToolingLog" ], "path": "packages/kbn-optimizer/src/log_optimizer_state.ts", "deprecated": false, @@ -515,13 +490,7 @@ "description": [], "signature": [ "(log: ", - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - }, + "ToolingLog", ", config: ", { "pluginId": "@kbn/optimizer", @@ -559,13 +528,7 @@ "label": "log", "description": [], "signature": [ - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - } + "ToolingLog" ], "path": "packages/kbn-optimizer/src/report_optimizer_timings.ts", "deprecated": false, @@ -745,13 +708,7 @@ "description": [], "signature": [ "(log: ", - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - }, + "ToolingLog", ", config: ", { "pluginId": "@kbn/optimizer", @@ -773,13 +730,7 @@ "label": "log", "description": [], "signature": [ - { - "pluginId": "@kbn/dev-utils", - "scope": "server", - "docId": "kibKbnDevUtilsPluginApi", - "section": "def-server.ToolingLog", - "text": "ToolingLog" - } + "ToolingLog" ], "path": "packages/kbn-optimizer/src/limits.ts", "deprecated": false, diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index b45876bf4e4a6a..ed3727e0846183 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -16,9 +16,9 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 45 | 0 | 45 | 9 | +| 45 | 0 | 45 | 10 | ## Server diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 8a72f272c22806..a358b75b984347 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 1 | 0 | 1 | 0 | diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index 768fa33dadb3bf..cc72c40852b4b6 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 1 | 0 | 1 | 0 | diff --git a/api_docs/kbn_pm.mdx b/api_docs/kbn_pm.mdx index f0886b39ea01c0..18ebfd03a0f36d 100644 --- a/api_docs/kbn_pm.mdx +++ b/api_docs/kbn_pm.mdx @@ -16,7 +16,7 @@ Contact [Owner missing] for questions regarding this plugin. **Code health stats** -| Public API count | Any count | Items lacking comments | Missing exports | +| Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| | 63 | 0 | 49 | 5 | diff --git a/api_docs/kbn_react_field.json b/api_docs/kbn_react_field.json index dca7be13b92c77..009157238dbe84 100644 --- a/api_docs/kbn_react_field.json +++ b/api_docs/kbn_react_field.json @@ -143,7 +143,7 @@ "\nLabel for the button" ], "signature": [ - "string | number | boolean | {} | React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | React.ReactNodeArray | React.ReactPortal | null | undefined" + "boolean | React.ReactChild | React.ReactFragment | React.ReactPortal | null | undefined" ], "path": "packages/kbn-react-field/src/field_button/field_button.tsx", "deprecated": false @@ -158,7 +158,7 @@ "\nIcon representing the field type.\nRecommend using FieldIcon" ], "signature": [ - "string | number | boolean | {} | React.ReactElement React.ReactElement React.Component)> | null) | (new (props: any) => React.Component)> | React.ReactNodeArray | React.ReactPortal | null | undefined" + "boolean | React.ReactChild | React.ReactFragment | React.ReactPortal | null | undefined" ], "path": "packages/kbn-react-field/src/field_button/field_button.tsx", "deprecated": false @@ -173,7 +173,7 @@ "\nAn optional node to place inside and at the end of the