From 87d15ba2e1b9f7fef30eee2f202da78fe9635e07 Mon Sep 17 00:00:00 2001 From: Paulina Shakirova Date: Thu, 19 Dec 2024 17:33:11 +0100 Subject: [PATCH 01/31] [Controls] Debounce time slider selections (#201885) ## Summary This PR fixes the [[Controls] Debounce time slider selections](https://github.com/elastic/kibana/issues/193227) issue. Previously when the user was dragging the time slider, the dashboard would be updating constantly causing lagging on more complex dashboards. This PR adds a local state that will hold the updating values while the user is dragging, and updates the dashboards once the user stops dragging with a delay of 300. https://github.com/user-attachments/assets/45bca92e-f92a-4c1f-8417-a0a0818c7415 --------- Co-authored-by: Hannah Mudge Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .../time_slider_popover_content.tsx | 85 ++++++++++++++----- .../get_timeslider_control_factory.tsx | 6 +- 2 files changed, 68 insertions(+), 23 deletions(-) diff --git a/src/plugins/controls/public/controls/timeslider_control/components/time_slider_popover_content.tsx b/src/plugins/controls/public/controls/timeslider_control/components/time_slider_popover_content.tsx index fc4d050d71d59..5bf94109d3b9f 100644 --- a/src/plugins/controls/public/controls/timeslider_control/components/time_slider_popover_content.tsx +++ b/src/plugins/controls/public/controls/timeslider_control/components/time_slider_popover_content.tsx @@ -8,6 +8,8 @@ */ import React from 'react'; +import { useMemo, useEffect, useState } from 'react'; +import { debounce } from 'lodash'; import { EuiButtonIcon, EuiRangeTick, EuiFlexGroup, EuiFlexItem, EuiToolTip } from '@elastic/eui'; import { TimeSliderStrings } from './time_slider_strings'; @@ -27,29 +29,63 @@ interface Props { compressed: boolean; } -export function TimeSliderPopoverContent(props: Props) { - const rangeInput = props.isAnchored ? ( +export function TimeSliderPopoverContent({ + isAnchored, + setIsAnchored, + value, + onChange, + stepSize, + ticks, + timeRangeMin, + timeRangeMax, + compressed, +}: Props) { + const [displayedValue, setDisplayedValue] = useState(value); + + const debouncedOnChange = useMemo( + () => + debounce((updateTimeslice: Timeslice | undefined) => { + onChange(updateTimeslice); + }, 750), + [onChange] + ); + + /** + * The following `useEffect` ensures that the changes to the value that come from the embeddable (for example, + * from the `clear` button on the dashboard) are reflected in the displayed value + */ + useEffect(() => { + setDisplayedValue(value); + }, [value]); + + const rangeInput = isAnchored ? ( { + setDisplayedValue(newValue as Timeslice); + debouncedOnChange(newValue); + }} + stepSize={stepSize} + ticks={ticks} + timeRangeMin={timeRangeMin} + timeRangeMax={timeRangeMax} + compressed={compressed} /> ) : ( { + setDisplayedValue(newValue as Timeslice); + debouncedOnChange(newValue); + }} + stepSize={stepSize} + ticks={ticks} + timeRangeMin={timeRangeMin} + timeRangeMax={timeRangeMax} + compressed={compressed} /> ); - const anchorStartToggleButtonLabel = props.isAnchored + const anchorStartToggleButtonLabel = isAnchored ? TimeSliderStrings.control.getUnpinStart() : TimeSliderStrings.control.getPinStart(); @@ -59,17 +95,24 @@ export function TimeSliderPopoverContent(props: Props) { gutterSize="none" data-test-subj="timeSlider-popoverContents" responsive={false} + onMouseUp={() => { + // when the pin is dropped (on mouse up), cancel any pending debounced changes and force the change + // in value to happen instantly (which, in turn, will re-calculate the from/to for the slider due to + // the `useEffect` above. + debouncedOnChange.cancel(); + onChange(displayedValue); + }} > { - const nextIsAnchored = !props.isAnchored; + const nextIsAnchored = !isAnchored; if (nextIsAnchored) { - props.onChange([props.timeRangeMin, props.value[1]]); + onChange([timeRangeMin, value[1]]); } - props.setIsAnchored(nextIsAnchored); + setIsAnchored(nextIsAnchored); }} aria-label={anchorStartToggleButtonLabel} data-test-subj="timeSlider__anchorStartToggleButton" diff --git a/src/plugins/controls/public/controls/timeslider_control/get_timeslider_control_factory.tsx b/src/plugins/controls/public/controls/timeslider_control/get_timeslider_control_factory.tsx index 59ad0a2a5076c..7e81fa075334e 100644 --- a/src/plugins/controls/public/controls/timeslider_control/get_timeslider_control_factory.tsx +++ b/src/plugins/controls/public/controls/timeslider_control/get_timeslider_control_factory.tsx @@ -270,7 +270,6 @@ export const getTimesliderControlFactory = (): ControlFactory< Component: (controlPanelClassNames) => { const [isAnchored, isPopoverOpen, timeRangeMeta, timeslice] = useBatchedPublishingSubjects(isAnchored$, isPopoverOpen$, timeRangeMeta$, timeslice$); - useEffect(() => { return () => { cleanupTimeRangeSubscription(); @@ -284,6 +283,9 @@ export const getTimesliderControlFactory = (): ControlFactory< const to = useMemo(() => { return timeslice ? timeslice[TO_INDEX] : timeRangeMeta.timeRangeMax; }, [timeslice, timeRangeMeta.timeRangeMax]); + const value: Timeslice = useMemo(() => { + return [from, to]; + }, [from, to]); return ( Date: Thu, 19 Dec 2024 17:36:07 +0100 Subject: [PATCH 02/31] [scout] adding unit tests (#204567) ## Summary Adding tests and making adjustments/fixes based on the findings. Note: no integration tests were added to verify servers start as it is mostly equal to `@kbn-test` functionality that has jest integration tests. We can add it later, when Scout has specific logic. How to run: `node scripts/jest --config packages/kbn-scout/jest.config.js` Scope: ``` PASS packages/kbn-scout/src/config/config.test.ts PASS packages/kbn-scout/src/config/loader/read_config_file.test.ts PASS packages/kbn-scout/src/config/utils/get_config_file.test.ts PASS packages/kbn-scout/src/config/utils/load_servers_config.test.ts PASS packages/kbn-scout/src/config/utils/save_scout_test_config.test.ts PASS packages/kbn-scout/src/playwright/config/create_config.test.ts PASS packages/kbn-scout/src/playwright/runner/config_validator.test.ts PASS packages/kbn-scout/src/playwright/runner/flags.test.ts PASS packages/kbn-scout/src/playwright/utils/runner_utils.test.ts PASS packages/kbn-scout/src/servers/flags.test.ts ``` --- packages/kbn-scout/README.md | 6 + .../kbn-scout/src/common/services/clients.ts | 6 +- .../kbn-scout/src/common/services/config.ts | 4 +- .../src/common/services/kibana_url.ts | 4 +- .../src/common/services/saml_auth.ts | 8 +- packages/kbn-scout/src/config/config.test.ts | 128 +++++++++++++++++ packages/kbn-scout/src/config/config.ts | 11 +- packages/kbn-scout/src/config/index.ts | 5 +- packages/kbn-scout/src/config/loader/index.ts | 10 ++ .../config/loader/read_config_file.test.ts | 83 +++++++++++ .../{config_load.ts => read_config_file.ts} | 5 +- .../kbn-scout/src/config/schema/schema.ts | 2 +- .../config/serverless/es.serverless.config.ts | 4 +- .../serverless/oblt.serverless.config.ts | 4 +- .../serverless/security.serverless.config.ts | 4 +- .../serverless/serverless.base.config.ts | 4 +- .../src/config/stateful/base.config.ts | 4 +- .../src/config/stateful/stateful.config.ts | 4 +- packages/kbn-scout/src/config/utils.ts | 83 ----------- .../src/config/utils/get_config_file.test.ts | 35 +++++ .../src/config/{ => utils}/get_config_file.ts | 11 +- packages/kbn-scout/src/config/utils/index.ts | 12 ++ .../config/utils/load_servers_config.test.ts | 91 ++++++++++++ .../src/config/utils/load_servers_config.ts | 38 +++++ .../utils/save_scout_test_config.test.ts | 130 ++++++++++++++++++ .../config/utils/save_scout_test_config.ts | 38 +++++ packages/kbn-scout/src/config/utils/utils.ts | 28 ++++ .../playwright/config/create_config.test.ts | 48 +++++++ .../src/playwright/config/create_config.ts | 76 ++++++++++ .../kbn-scout/src/playwright/config/index.ts | 68 +-------- .../playwright/fixtures/types/worker_scope.ts | 4 +- .../src/playwright/runner/config_loader.ts | 17 +++ .../runner/config_validator.test.ts | 99 +++++++++++++ .../src/playwright/runner/config_validator.ts | 25 ++-- .../src/playwright/runner/flags.test.ts | 102 ++++++++++++++ .../kbn-scout/src/playwright/runner/flags.ts | 5 +- .../kbn-scout/src/playwright/utils/index.ts | 21 +-- .../src/playwright/utils/runner_utils.test.ts | 108 +++++++++++++++ .../src/playwright/utils/runner_utils.ts | 43 ++++++ packages/kbn-scout/src/servers/flags.test.ts | 74 ++++++++++ packages/kbn-scout/src/types/index.ts | 4 +- .../types/{config.d.ts => server_config.d.ts} | 2 +- .../types/{servers.d.ts => test_config.d.ts} | 3 +- 43 files changed, 1234 insertions(+), 227 deletions(-) create mode 100644 packages/kbn-scout/src/config/config.test.ts create mode 100644 packages/kbn-scout/src/config/loader/index.ts create mode 100644 packages/kbn-scout/src/config/loader/read_config_file.test.ts rename packages/kbn-scout/src/config/loader/{config_load.ts => read_config_file.ts} (86%) delete mode 100644 packages/kbn-scout/src/config/utils.ts create mode 100644 packages/kbn-scout/src/config/utils/get_config_file.test.ts rename packages/kbn-scout/src/config/{ => utils}/get_config_file.ts (67%) create mode 100644 packages/kbn-scout/src/config/utils/index.ts create mode 100644 packages/kbn-scout/src/config/utils/load_servers_config.test.ts create mode 100644 packages/kbn-scout/src/config/utils/load_servers_config.ts create mode 100644 packages/kbn-scout/src/config/utils/save_scout_test_config.test.ts create mode 100644 packages/kbn-scout/src/config/utils/save_scout_test_config.ts create mode 100644 packages/kbn-scout/src/config/utils/utils.ts create mode 100644 packages/kbn-scout/src/playwright/config/create_config.test.ts create mode 100644 packages/kbn-scout/src/playwright/config/create_config.ts create mode 100644 packages/kbn-scout/src/playwright/runner/config_loader.ts create mode 100644 packages/kbn-scout/src/playwright/runner/config_validator.test.ts create mode 100644 packages/kbn-scout/src/playwright/runner/flags.test.ts create mode 100644 packages/kbn-scout/src/playwright/utils/runner_utils.test.ts create mode 100644 packages/kbn-scout/src/playwright/utils/runner_utils.ts create mode 100644 packages/kbn-scout/src/servers/flags.test.ts rename packages/kbn-scout/src/types/{config.d.ts => server_config.d.ts} (96%) rename packages/kbn-scout/src/types/{servers.d.ts => test_config.d.ts} (93%) diff --git a/packages/kbn-scout/README.md b/packages/kbn-scout/README.md index b5e64416d4ed2..7368b4d1bb48e 100644 --- a/packages/kbn-scout/README.md +++ b/packages/kbn-scout/README.md @@ -193,6 +193,12 @@ npx playwright test --config /ui_tests/playwright.config.ts We welcome contributions to improve and extend `kbn-scout`. This guide will help you get started, add new features, and align with existing project standards. +Make sure to run unit tests before opening the PR: + +```bash +node scripts/jest --config packages/kbn-scout/jest.config.js +``` + #### Setting Up the Environment Ensure you have the latest local copy of the Kibana repository. diff --git a/packages/kbn-scout/src/common/services/clients.ts b/packages/kbn-scout/src/common/services/clients.ts index 3a0dcf8bfe320..58a5d222e18e5 100644 --- a/packages/kbn-scout/src/common/services/clients.ts +++ b/packages/kbn-scout/src/common/services/clients.ts @@ -9,7 +9,7 @@ import { KbnClient, createEsClientForTesting } from '@kbn/test'; import type { ToolingLog } from '@kbn/tooling-log'; -import { ScoutServerConfig } from '../../types'; +import { ScoutTestConfig } from '../../types'; import { serviceLoadedMsg } from '../../playwright/utils'; interface ClientOptions { @@ -29,7 +29,7 @@ function createClientUrlWithAuth({ serviceName, url, username, password, log }: return clientUrl.toString(); } -export function createEsClient(config: ScoutServerConfig, log: ToolingLog) { +export function createEsClient(config: ScoutTestConfig, log: ToolingLog) { const { username, password } = config.auth; const elasticsearchUrl = createClientUrlWithAuth({ serviceName: 'Es', @@ -45,7 +45,7 @@ export function createEsClient(config: ScoutServerConfig, log: ToolingLog) { }); } -export function createKbnClient(config: ScoutServerConfig, log: ToolingLog) { +export function createKbnClient(config: ScoutTestConfig, log: ToolingLog) { const kibanaUrl = createClientUrlWithAuth({ serviceName: 'Kbn', url: config.hosts.kibana, diff --git a/packages/kbn-scout/src/common/services/config.ts b/packages/kbn-scout/src/common/services/config.ts index fe8e932194d91..dcbcdb2a17ab9 100644 --- a/packages/kbn-scout/src/common/services/config.ts +++ b/packages/kbn-scout/src/common/services/config.ts @@ -10,7 +10,7 @@ import path from 'path'; import fs from 'fs'; import { ToolingLog } from '@kbn/tooling-log'; -import { ScoutServerConfig } from '../../types'; +import { ScoutTestConfig } from '../../types'; import { serviceLoadedMsg } from '../../playwright/utils'; export function createScoutConfig(configDir: string, configName: string, log: ToolingLog) { @@ -21,7 +21,7 @@ export function createScoutConfig(configDir: string, configName: string, log: To const configPath = path.join(configDir, `${configName}.json`); log.info(`Reading test servers confiuration from file: ${configPath}`); - const config = JSON.parse(fs.readFileSync(configPath, 'utf-8')) as ScoutServerConfig; + const config = JSON.parse(fs.readFileSync(configPath, 'utf-8')) as ScoutTestConfig; log.debug(serviceLoadedMsg('config')); diff --git a/packages/kbn-scout/src/common/services/kibana_url.ts b/packages/kbn-scout/src/common/services/kibana_url.ts index cbfab5dc90796..65a21c80592e8 100644 --- a/packages/kbn-scout/src/common/services/kibana_url.ts +++ b/packages/kbn-scout/src/common/services/kibana_url.ts @@ -8,7 +8,7 @@ */ import type { ToolingLog } from '@kbn/tooling-log'; -import { ScoutServerConfig } from '../../types'; +import { ScoutTestConfig } from '../../types'; import { serviceLoadedMsg } from '../../playwright/utils'; export interface PathOptions { @@ -64,7 +64,7 @@ export class KibanaUrl { } } -export function createKbnUrl(scoutConfig: ScoutServerConfig, log: ToolingLog) { +export function createKbnUrl(scoutConfig: ScoutTestConfig, log: ToolingLog) { const kbnUrl = new KibanaUrl(new URL(scoutConfig.hosts.kibana)); log.debug(serviceLoadedMsg('kbnUrl')); diff --git a/packages/kbn-scout/src/common/services/saml_auth.ts b/packages/kbn-scout/src/common/services/saml_auth.ts index e3dbd47fc8c90..8d3daf8e3ccd6 100644 --- a/packages/kbn-scout/src/common/services/saml_auth.ts +++ b/packages/kbn-scout/src/common/services/saml_auth.ts @@ -17,17 +17,17 @@ import { import { REPO_ROOT } from '@kbn/repo-info'; import { HostOptions, SamlSessionManager } from '@kbn/test'; import { ToolingLog } from '@kbn/tooling-log'; -import { ScoutServerConfig } from '../../types'; +import { ScoutTestConfig } from '../../types'; import { Protocol } from '../../playwright/types'; import { serviceLoadedMsg } from '../../playwright/utils'; -const getResourceDirPath = (config: ScoutServerConfig) => { +const getResourceDirPath = (config: ScoutTestConfig) => { return config.serverless ? path.resolve(SERVERLESS_ROLES_ROOT_PATH, config.projectType!) : path.resolve(REPO_ROOT, STATEFUL_ROLES_ROOT_PATH); }; -const createKibanaHostOptions = (config: ScoutServerConfig): HostOptions => { +const createKibanaHostOptions = (config: ScoutTestConfig): HostOptions => { const kibanaUrl = new URL(config.hosts.kibana); kibanaUrl.username = config.auth.username; kibanaUrl.password = config.auth.password; @@ -42,7 +42,7 @@ const createKibanaHostOptions = (config: ScoutServerConfig): HostOptions => { }; export const createSamlSessionManager = ( - config: ScoutServerConfig, + config: ScoutTestConfig, log: ToolingLog ): SamlSessionManager => { const resourceDirPath = getResourceDirPath(config); diff --git a/packages/kbn-scout/src/config/config.test.ts b/packages/kbn-scout/src/config/config.test.ts new file mode 100644 index 0000000000000..f4401e8af2da2 --- /dev/null +++ b/packages/kbn-scout/src/config/config.test.ts @@ -0,0 +1,128 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { Config } from './config'; + +describe('Config.getScoutTestConfig', () => { + it(`should return a properly structured 'ScoutTestConfig' object for 'stateful'`, async () => { + const config = new Config({ + servers: { + elasticsearch: { + protocol: 'http', + hostname: 'localhost', + port: 9220, + username: 'kibana_system', + password: 'changeme', + }, + kibana: { + protocol: 'http', + hostname: 'localhost', + port: 5620, + username: 'elastic', + password: 'changeme', + }, + }, + dockerServers: {}, + esTestCluster: { + from: 'snapshot', + files: [], + serverArgs: [], + ssl: false, + }, + kbnTestServer: { + buildArgs: [], + env: {}, + sourceArgs: [], + serverArgs: [], + }, + }); + + const scoutConfig = config.getScoutTestConfig(); + + const expectedConfig = { + serverless: false, + projectType: undefined, + isCloud: false, + license: 'trial', + cloudUsersFilePath: expect.stringContaining('.ftr/role_users.json'), + hosts: { + kibana: 'http://localhost:5620', + elasticsearch: 'http://localhost:9220', + }, + auth: { + username: 'elastic', + password: 'changeme', + }, + metadata: { + generatedOn: expect.any(String), + config: expect.any(Object), + }, + }; + + expect(scoutConfig).toEqual(expectedConfig); + }); + + it(`should return a properly structured 'ScoutTestConfig' object for 'serverless=es'`, async () => { + const config = new Config({ + serverless: true, + servers: { + elasticsearch: { + protocol: 'https', + hostname: 'localhost', + port: 9220, + username: 'elastic_serverless', + password: 'changeme', + }, + kibana: { + protocol: 'http', + hostname: 'localhost', + port: 5620, + username: 'elastic_serverless', + password: 'changeme', + }, + }, + dockerServers: {}, + esTestCluster: { + from: 'serverless', + files: [], + serverArgs: [], + ssl: true, + }, + kbnTestServer: { + buildArgs: [], + env: {}, + sourceArgs: [], + serverArgs: ['--serverless=es'], + }, + }); + + const scoutConfig = config.getScoutTestConfig(); + const expectedConfig = { + serverless: true, + projectType: 'es', + isCloud: false, + license: 'trial', + cloudUsersFilePath: expect.stringContaining('.ftr/role_users.json'), + hosts: { + kibana: 'http://localhost:5620', + elasticsearch: 'https://localhost:9220', + }, + auth: { + username: 'elastic_serverless', + password: 'changeme', + }, + metadata: { + generatedOn: expect.any(String), + config: expect.any(Object), + }, + }; + + expect(scoutConfig).toEqual(expectedConfig); + }); +}); diff --git a/packages/kbn-scout/src/config/config.ts b/packages/kbn-scout/src/config/config.ts index a316aac61d69e..d790545d258e2 100644 --- a/packages/kbn-scout/src/config/config.ts +++ b/packages/kbn-scout/src/config/config.ts @@ -13,15 +13,15 @@ import Path from 'path'; import { cloneDeepWith, get, has, toPath } from 'lodash'; import { REPO_ROOT } from '@kbn/repo-info'; import { schema } from './schema'; -import { ScoutServerConfig } from '../types'; -import { formatCurrentDate, getProjectType } from './utils'; +import { ScoutServerConfig, ScoutTestConfig } from '../types'; +import { formatCurrentDate, getProjectType } from './utils/utils'; const $values = Symbol('values'); export class Config { - private [$values]: Record; + private [$values]: ScoutServerConfig; - constructor(data: Record) { + constructor(data: ScoutServerConfig) { const { error, value } = schema.validate(data, { abortEarly: false, }); @@ -104,13 +104,14 @@ export class Config { }); } - public getTestServersConfig(): ScoutServerConfig { + public getScoutTestConfig(): ScoutTestConfig { return { serverless: this.get('serverless'), projectType: this.get('serverless') ? getProjectType(this.get('kbnTestServer.serverArgs')) : undefined, isCloud: false, + license: this.get('esTestCluster.license'), cloudUsersFilePath: Path.resolve(REPO_ROOT, '.ftr', 'role_users.json'), hosts: { kibana: Url.format({ diff --git a/packages/kbn-scout/src/config/index.ts b/packages/kbn-scout/src/config/index.ts index 969edbe8e4483..fc9e334ad6596 100644 --- a/packages/kbn-scout/src/config/index.ts +++ b/packages/kbn-scout/src/config/index.ts @@ -7,7 +7,6 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -export { loadConfig } from './loader/config_load'; -export { getConfigFilePath } from './get_config_file'; -export { loadServersConfig } from './utils'; +export { readConfigFile } from './loader'; +export { getConfigFilePath, loadServersConfig } from './utils'; export type { Config } from './config'; diff --git a/packages/kbn-scout/src/config/loader/index.ts b/packages/kbn-scout/src/config/loader/index.ts new file mode 100644 index 0000000000000..f84f5e89a4022 --- /dev/null +++ b/packages/kbn-scout/src/config/loader/index.ts @@ -0,0 +1,10 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +export { readConfigFile } from './read_config_file'; diff --git a/packages/kbn-scout/src/config/loader/read_config_file.test.ts b/packages/kbn-scout/src/config/loader/read_config_file.test.ts new file mode 100644 index 0000000000000..03f0009b3b395 --- /dev/null +++ b/packages/kbn-scout/src/config/loader/read_config_file.test.ts @@ -0,0 +1,83 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import path from 'path'; +import { Config } from '../config'; +import { readConfigFile } from './read_config_file'; + +jest.mock('path', () => ({ + resolve: jest.fn(), +})); + +jest.mock('../config', () => ({ + Config: jest.fn(), +})); + +describe('readConfigFile', () => { + const configPath = '/mock/config/path'; + const resolvedPath = '/resolved/config/path'; + const mockPathResolve = path.resolve as jest.Mock; + const mockConfigConstructor = Config as jest.Mock; + + beforeEach(() => { + jest.clearAllMocks(); + jest.resetModules(); + }); + + it(`should load and return a valid 'Config' instance when the config file exports 'servers'`, async () => { + const mockConfigModule = { servers: { host: 'localhost', port: 5601 } }; + + mockPathResolve.mockReturnValueOnce(resolvedPath); + + jest.isolateModules(async () => { + jest.mock(resolvedPath, () => mockConfigModule, { virtual: true }); + mockConfigConstructor.mockImplementation((servers) => ({ servers })); + + const result = await readConfigFile(configPath); + + expect(path.resolve).toHaveBeenCalledWith(configPath); + expect(result).toEqual({ servers: mockConfigModule.servers }); + }); + }); + + it(`should throw an error if the config file does not export 'servers'`, async () => { + const mockConfigModule = { otherProperty: 'value' }; + + mockPathResolve.mockReturnValueOnce(resolvedPath); + + jest.isolateModules(async () => { + jest.mock(resolvedPath, () => mockConfigModule, { virtual: true }); + + await expect(readConfigFile(configPath)).rejects.toThrow( + `No 'servers' found in the config file at path: ${resolvedPath}` + ); + expect(path.resolve).toHaveBeenCalledWith(configPath); + }); + }); + + it('should throw an error if the config file cannot be loaded', async () => { + mockPathResolve.mockReturnValueOnce(resolvedPath); + + jest.isolateModules(async () => { + const message = 'Module not found'; + jest.mock( + resolvedPath, + () => { + throw new Error(message); + }, + { virtual: true } + ); + + await expect(readConfigFile(configPath)).rejects.toThrow( + `Failed to load config from ${configPath}: ${message}` + ); + expect(path.resolve).toHaveBeenCalledWith(configPath); + }); + }); +}); diff --git a/packages/kbn-scout/src/config/loader/config_load.ts b/packages/kbn-scout/src/config/loader/read_config_file.ts similarity index 86% rename from packages/kbn-scout/src/config/loader/config_load.ts rename to packages/kbn-scout/src/config/loader/read_config_file.ts index c7e6b197d6a28..a4f153ff392ac 100644 --- a/packages/kbn-scout/src/config/loader/config_load.ts +++ b/packages/kbn-scout/src/config/loader/read_config_file.ts @@ -9,6 +9,7 @@ import path from 'path'; import { Config } from '../config'; +import { ScoutServerConfig } from '../../types'; /** * Dynamically loads server configuration file in the "kbn-scout" framework. It reads @@ -17,13 +18,13 @@ import { Config } from '../config'; * @param configPath Path to the configuration file to be loaded. * @returns Config instance that is used to start local servers */ -export const loadConfig = async (configPath: string): Promise => { +export const readConfigFile = async (configPath: string): Promise => { try { const absolutePath = path.resolve(configPath); const configModule = await import(absolutePath); if (configModule.servers) { - return new Config(configModule.servers); + return new Config(configModule.servers as ScoutServerConfig); } else { throw new Error(`No 'servers' found in the config file at path: ${absolutePath}`); } diff --git a/packages/kbn-scout/src/config/schema/schema.ts b/packages/kbn-scout/src/config/schema/schema.ts index 86add154cc661..77f3c352e5589 100644 --- a/packages/kbn-scout/src/config/schema/schema.ts +++ b/packages/kbn-scout/src/config/schema/schema.ts @@ -75,7 +75,7 @@ export const schema = Joi.object() esTestCluster: Joi.object() .keys({ - license: Joi.valid('basic', 'trial', 'gold').default('basic'), + license: Joi.valid('basic', 'trial', 'gold').default('trial'), from: Joi.string().default('snapshot'), serverArgs: Joi.array().items(Joi.string()).default([]), esJavaOpts: Joi.string(), diff --git a/packages/kbn-scout/src/config/serverless/es.serverless.config.ts b/packages/kbn-scout/src/config/serverless/es.serverless.config.ts index 0ae2c7e6f0b3f..6ad77bff4606f 100644 --- a/packages/kbn-scout/src/config/serverless/es.serverless.config.ts +++ b/packages/kbn-scout/src/config/serverless/es.serverless.config.ts @@ -7,10 +7,10 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { ScoutLoaderConfig } from '../../types'; +import { ScoutServerConfig } from '../../types'; import { defaultConfig } from './serverless.base.config'; -export const servers: ScoutLoaderConfig = { +export const servers: ScoutServerConfig = { ...defaultConfig, esTestCluster: { ...defaultConfig.esTestCluster, diff --git a/packages/kbn-scout/src/config/serverless/oblt.serverless.config.ts b/packages/kbn-scout/src/config/serverless/oblt.serverless.config.ts index 08eb4d9d7cf55..f0739af12d9a4 100644 --- a/packages/kbn-scout/src/config/serverless/oblt.serverless.config.ts +++ b/packages/kbn-scout/src/config/serverless/oblt.serverless.config.ts @@ -8,9 +8,9 @@ */ import { defaultConfig } from './serverless.base.config'; -import { ScoutLoaderConfig } from '../../types'; +import { ScoutServerConfig } from '../../types'; -export const servers: ScoutLoaderConfig = { +export const servers: ScoutServerConfig = { ...defaultConfig, esTestCluster: { ...defaultConfig.esTestCluster, diff --git a/packages/kbn-scout/src/config/serverless/security.serverless.config.ts b/packages/kbn-scout/src/config/serverless/security.serverless.config.ts index 289790a9ffeb1..e702ae960dca5 100644 --- a/packages/kbn-scout/src/config/serverless/security.serverless.config.ts +++ b/packages/kbn-scout/src/config/serverless/security.serverless.config.ts @@ -7,10 +7,10 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { ScoutLoaderConfig } from '../../types'; +import { ScoutServerConfig } from '../../types'; import { defaultConfig } from './serverless.base.config'; -export const servers: ScoutLoaderConfig = { +export const servers: ScoutServerConfig = { ...defaultConfig, esTestCluster: { ...defaultConfig.esTestCluster, diff --git a/packages/kbn-scout/src/config/serverless/serverless.base.config.ts b/packages/kbn-scout/src/config/serverless/serverless.base.config.ts index a20a0c3bbe7a7..0df42d354a1e1 100644 --- a/packages/kbn-scout/src/config/serverless/serverless.base.config.ts +++ b/packages/kbn-scout/src/config/serverless/serverless.base.config.ts @@ -17,7 +17,7 @@ import { MOCK_IDP_REALM_NAME } from '@kbn/mock-idp-utils'; import { dockerImage } from '@kbn/test-suites-xpack/fleet_api_integration/config.base'; import { REPO_ROOT } from '@kbn/repo-info'; -import { ScoutLoaderConfig } from '../../types'; +import { ScoutServerConfig } from '../../types'; import { SAML_IDP_PLUGIN_PATH, SERVERLESS_IDP_METADATA_PATH, JWKS_PATH } from '../constants'; const packageRegistryConfig = join(__dirname, './package_registry_config.yml'); @@ -49,7 +49,7 @@ const servers = { }, }; -export const defaultConfig: ScoutLoaderConfig = { +export const defaultConfig: ScoutServerConfig = { serverless: true, servers, dockerServers: defineDockerServersConfig({ diff --git a/packages/kbn-scout/src/config/stateful/base.config.ts b/packages/kbn-scout/src/config/stateful/base.config.ts index a2d6f1e0fa6eb..2bac0024ad4e3 100644 --- a/packages/kbn-scout/src/config/stateful/base.config.ts +++ b/packages/kbn-scout/src/config/stateful/base.config.ts @@ -25,7 +25,7 @@ import { MOCK_IDP_REALM_NAME } from '@kbn/mock-idp-utils'; import { dockerImage } from '@kbn/test-suites-xpack/fleet_api_integration/config.base'; import { REPO_ROOT } from '@kbn/repo-info'; import { STATEFUL_ROLES_ROOT_PATH } from '@kbn/es'; -import type { ScoutLoaderConfig } from '../../types'; +import type { ScoutServerConfig } from '../../types'; import { SAML_IDP_PLUGIN_PATH, STATEFUL_IDP_METADATA_PATH } from '../constants'; const packageRegistryConfig = join(__dirname, './package_registry_config.yml'); @@ -61,7 +61,7 @@ const servers = { const kbnUrl = `${servers.kibana.protocol}://${servers.kibana.hostname}:${servers.kibana.port}`; -export const defaultConfig: ScoutLoaderConfig = { +export const defaultConfig: ScoutServerConfig = { servers, dockerServers: defineDockerServersConfig({ registry: { diff --git a/packages/kbn-scout/src/config/stateful/stateful.config.ts b/packages/kbn-scout/src/config/stateful/stateful.config.ts index e67419c21fb37..2825f6e9f86df 100644 --- a/packages/kbn-scout/src/config/stateful/stateful.config.ts +++ b/packages/kbn-scout/src/config/stateful/stateful.config.ts @@ -7,7 +7,7 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { ScoutLoaderConfig } from '../../types'; +import { ScoutServerConfig } from '../../types'; import { defaultConfig } from './base.config'; -export const servers: ScoutLoaderConfig = defaultConfig; +export const servers: ScoutServerConfig = defaultConfig; diff --git a/packages/kbn-scout/src/config/utils.ts b/packages/kbn-scout/src/config/utils.ts deleted file mode 100644 index 38c65f1573b04..0000000000000 --- a/packages/kbn-scout/src/config/utils.ts +++ /dev/null @@ -1,83 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import * as Fs from 'fs'; -import getopts from 'getopts'; -import path from 'path'; -import { ToolingLog } from '@kbn/tooling-log'; -import { ServerlessProjectType } from '@kbn/es'; -import { SCOUT_SERVERS_ROOT } from '@kbn/scout-info'; -import { CliSupportedServerModes, ScoutServerConfig } from '../types'; -import { getConfigFilePath } from './get_config_file'; -import { loadConfig } from './loader/config_load'; -import type { Config } from './config'; - -export const formatCurrentDate = () => { - const now = new Date(); - - const format = (num: number, length: number) => String(num).padStart(length, '0'); - - return ( - `${format(now.getDate(), 2)}/${format(now.getMonth() + 1, 2)}/${now.getFullYear()} ` + - `${format(now.getHours(), 2)}:${format(now.getMinutes(), 2)}:${format(now.getSeconds(), 2)}.` + - `${format(now.getMilliseconds(), 3)}` - ); -}; - -/** - * Saves Scout server configuration to the disk. - * @param testServersConfig configuration to be saved - * @param log Logger instance to report errors or debug information. - */ -const saveTestServersConfigOnDisk = (testServersConfig: ScoutServerConfig, log: ToolingLog) => { - const configFilePath = path.join(SCOUT_SERVERS_ROOT, `local.json`); - - try { - const jsonData = JSON.stringify(testServersConfig, null, 2); - - if (!Fs.existsSync(SCOUT_SERVERS_ROOT)) { - log.debug(`scout: creating configuration directory: ${SCOUT_SERVERS_ROOT}`); - Fs.mkdirSync(SCOUT_SERVERS_ROOT, { recursive: true }); - } - - Fs.writeFileSync(configFilePath, jsonData, 'utf-8'); - log.info(`scout: Test server configuration saved at ${configFilePath}`); - } catch (error) { - log.error(`scout: Failed to save test server configuration - ${error.message}`); - throw new Error(`Failed to save test server configuration at ${configFilePath}`); - } -}; - -/** - * Loads server configuration based on the mode, creates "kbn-test" compatible Config - * instance, that can be used to start local servers and saves its "Scout"-format copy - * to the disk. - * @param mode server local run mode - * @param log Logger instance to report errors or debug information. - * @returns "kbn-test" compatible Config instance - */ -export async function loadServersConfig( - mode: CliSupportedServerModes, - log: ToolingLog -): Promise { - // get path to one of the predefined config files - const configPath = getConfigFilePath(mode); - // load config that is compatible with kbn-test input format - const config = await loadConfig(configPath); - // construct config for Playwright Test - const scoutServerConfig = config.getTestServersConfig(); - // save test config to the file - saveTestServersConfigOnDisk(scoutServerConfig, log); - return config; -} - -export const getProjectType = (kbnServerArgs: string[]) => { - const options = getopts(kbnServerArgs); - return options.serverless as ServerlessProjectType; -}; diff --git a/packages/kbn-scout/src/config/utils/get_config_file.test.ts b/packages/kbn-scout/src/config/utils/get_config_file.test.ts new file mode 100644 index 0000000000000..09b300e9ae404 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/get_config_file.test.ts @@ -0,0 +1,35 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import path from 'path'; +import { getConfigFilePath } from './get_config_file'; +import { REPO_ROOT } from '@kbn/repo-info'; + +// Not mocking to validate the actual path to the config file +const CONFIG_ROOT = path.join(REPO_ROOT, 'packages', 'kbn-scout', 'src', 'config'); + +describe('getConfigFilePath', () => { + it('should return the correct path for stateful config', () => { + const config = 'stateful'; + const expectedPath = path.join(CONFIG_ROOT, 'stateful', 'stateful.config.ts'); + + const result = getConfigFilePath(config); + + expect(result).toBe(expectedPath); + }); + + it('should return the correct path for serverless config with a valid type', () => { + const config = 'serverless=oblt'; + const expectedPath = path.join(CONFIG_ROOT, 'serverless', 'oblt.serverless.config.ts'); + + const result = getConfigFilePath(config); + + expect(result).toBe(expectedPath); + }); +}); diff --git a/packages/kbn-scout/src/config/get_config_file.ts b/packages/kbn-scout/src/config/utils/get_config_file.ts similarity index 67% rename from packages/kbn-scout/src/config/get_config_file.ts rename to packages/kbn-scout/src/config/utils/get_config_file.ts index 5976db1265797..95fa49af0d669 100644 --- a/packages/kbn-scout/src/config/get_config_file.ts +++ b/packages/kbn-scout/src/config/utils/get_config_file.ts @@ -8,19 +8,22 @@ */ import path from 'path'; -import { CliSupportedServerModes } from '../types'; +import { CliSupportedServerModes } from '../../types'; export const getConfigFilePath = (config: CliSupportedServerModes): string => { + const baseDir = path.join(__dirname, '..'); // config base directory + if (config === 'stateful') { - return path.join(__dirname, 'stateful', 'stateful.config.ts'); + return path.join(baseDir, 'stateful', 'stateful.config.ts'); } const [mode, type] = config.split('='); + if (mode !== 'serverless' || !type) { throw new Error( - `Invalid config format: ${config}. Expected "stateful" or "serverless=".` + `Invalid config format: "${config}". Expected "stateful" or "serverless=".` ); } - return path.join(__dirname, 'serverless', `${type}.serverless.config.ts`); + return path.join(baseDir, 'serverless', `${type}.serverless.config.ts`); }; diff --git a/packages/kbn-scout/src/config/utils/index.ts b/packages/kbn-scout/src/config/utils/index.ts new file mode 100644 index 0000000000000..ebe3b0bc27c44 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/index.ts @@ -0,0 +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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +export { getConfigFilePath } from './get_config_file'; +export { loadServersConfig } from './load_servers_config'; +export { formatCurrentDate, getProjectType } from './utils'; diff --git a/packages/kbn-scout/src/config/utils/load_servers_config.test.ts b/packages/kbn-scout/src/config/utils/load_servers_config.test.ts new file mode 100644 index 0000000000000..8a33663cb4989 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/load_servers_config.test.ts @@ -0,0 +1,91 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { ToolingLog } from '@kbn/tooling-log'; +import { getConfigFilePath } from './get_config_file'; +import { readConfigFile } from '../loader'; +import { loadServersConfig } from '..'; +import { saveScoutTestConfigOnDisk } from './save_scout_test_config'; +import { CliSupportedServerModes, ScoutTestConfig } from '../../types'; + +jest.mock('./get_config_file', () => ({ + getConfigFilePath: jest.fn(), +})); + +jest.mock('../loader', () => ({ + readConfigFile: jest.fn(), +})); + +jest.mock('./save_scout_test_config', () => ({ + saveScoutTestConfigOnDisk: jest.fn(), +})); + +const mockScoutTestConfig: ScoutTestConfig = { + hosts: { + kibana: 'http://localhost:5601', + elasticsearch: 'http://localhost:9220', + }, + auth: { + username: 'elastic', + password: 'changeme', + }, + serverless: true, + projectType: 'oblt', + isCloud: true, + license: 'trial', + cloudUsersFilePath: '/path/to/users', +}; + +describe('loadServersConfig', () => { + let mockLog: ToolingLog; + + const mockMode = `serverless=${mockScoutTestConfig.projectType}` as CliSupportedServerModes; + const mockConfigPath = '/mock/config/path.ts'; + + const mockClusterConfig = { + getScoutTestConfig: jest.fn().mockReturnValue(mockScoutTestConfig), + }; + + beforeEach(() => { + jest.clearAllMocks(); + mockLog = { + debug: jest.fn(), + info: jest.fn(), + error: jest.fn(), + } as unknown as ToolingLog; + }); + + it('should load, save, and return cluster configuration', async () => { + (getConfigFilePath as jest.Mock).mockReturnValue(mockConfigPath); + (readConfigFile as jest.Mock).mockResolvedValue(mockClusterConfig); + + const result = await loadServersConfig(mockMode, mockLog); + + expect(getConfigFilePath).toHaveBeenCalledWith(mockMode); + expect(readConfigFile).toHaveBeenCalledWith(mockConfigPath); + expect(mockClusterConfig.getScoutTestConfig).toHaveBeenCalled(); + expect(saveScoutTestConfigOnDisk).toHaveBeenCalledWith(mockScoutTestConfig, mockLog); + expect(result).toBe(mockClusterConfig); + + // no errors should be logged + expect(mockLog.info).not.toHaveBeenCalledWith(expect.stringContaining('error')); + }); + + it('should throw an error if readConfigFile fails', async () => { + const errorMessage = 'Failed to read config file'; + (getConfigFilePath as jest.Mock).mockReturnValue(mockConfigPath); + (readConfigFile as jest.Mock).mockRejectedValue(new Error(errorMessage)); + + await expect(loadServersConfig(mockMode, mockLog)).rejects.toThrow(errorMessage); + + expect(getConfigFilePath).toHaveBeenCalledWith(mockMode); + expect(readConfigFile).toHaveBeenCalledWith(mockConfigPath); + expect(saveScoutTestConfigOnDisk).not.toHaveBeenCalled(); + }); +}); diff --git a/packages/kbn-scout/src/config/utils/load_servers_config.ts b/packages/kbn-scout/src/config/utils/load_servers_config.ts new file mode 100644 index 0000000000000..007b2fd32a460 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/load_servers_config.ts @@ -0,0 +1,38 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { ToolingLog } from '@kbn/tooling-log'; +import { CliSupportedServerModes } from '../../types'; +import { getConfigFilePath } from './get_config_file'; +import { readConfigFile } from '../loader'; +import type { Config } from '../config'; +import { saveScoutTestConfigOnDisk } from './save_scout_test_config'; + +/** + * Loads server configuration based on the mode, creates "kbn-test" compatible Config + * instance, that can be used to start local servers and saves its "Scout"-format copy + * to the disk. + * @param mode server local run mode + * @param log Logger instance to report errors or debug information. + * @returns "kbn-test" compatible Config instance + */ +export async function loadServersConfig( + mode: CliSupportedServerModes, + log: ToolingLog +): Promise { + // get path to one of the predefined config files + const configPath = getConfigFilePath(mode); + // load config that is compatible with kbn-test input format + const clusterConfig = await readConfigFile(configPath); + // construct config for Playwright Test + const scoutServerConfig = clusterConfig.getScoutTestConfig(); + // save test config to the file + saveScoutTestConfigOnDisk(scoutServerConfig, log); + return clusterConfig; +} diff --git a/packages/kbn-scout/src/config/utils/save_scout_test_config.test.ts b/packages/kbn-scout/src/config/utils/save_scout_test_config.test.ts new file mode 100644 index 0000000000000..770145c8fdf35 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/save_scout_test_config.test.ts @@ -0,0 +1,130 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import path from 'path'; +import Fs from 'fs'; +import { ToolingLog } from '@kbn/tooling-log'; +import { saveScoutTestConfigOnDisk } from './save_scout_test_config'; + +const MOCKED_SCOUT_SERVERS_ROOT = '/mock/repo/root/scout/servers'; + +jest.mock('fs'); + +jest.mock('@kbn/repo-info', () => ({ + REPO_ROOT: '/mock/repo/root', +})); + +jest.mock('@kbn/scout-info', () => ({ + SCOUT_SERVERS_ROOT: '/mock/repo/root/scout/servers', +})); + +const testServersConfig = { + hosts: { + kibana: 'http://localhost:5601', + elasticsearch: 'http://localhost:9220', + }, + auth: { + username: 'elastic', + password: 'changeme', + }, + serverless: true, + isCloud: true, + license: 'trial', + cloudUsersFilePath: '/path/to/users', +}; + +jest.mock('path', () => ({ + ...jest.requireActual('path'), + join: jest.fn((...args) => args.join('/')), +})); + +describe('saveScoutTestConfigOnDisk', () => { + let mockLog: ToolingLog; + + beforeEach(() => { + jest.clearAllMocks(); + mockLog = { + debug: jest.fn(), + info: jest.fn(), + error: jest.fn(), + } as unknown as ToolingLog; + }); + + it('should save configuration to disk successfully', () => { + const mockConfigFilePath = `${MOCKED_SCOUT_SERVERS_ROOT}/local.json`; + + // Mock path.join to return a fixed file path + (path.join as jest.Mock).mockReturnValueOnce(mockConfigFilePath); + + // Mock Fs.existsSync to return true + (Fs.existsSync as jest.Mock).mockReturnValueOnce(true); + + // Mock Fs.writeFileSync to do nothing + const writeFileSyncMock = jest.spyOn(Fs, 'writeFileSync'); + + saveScoutTestConfigOnDisk(testServersConfig, mockLog); + + expect(Fs.existsSync).toHaveBeenCalledWith(MOCKED_SCOUT_SERVERS_ROOT); + expect(writeFileSyncMock).toHaveBeenCalledWith( + mockConfigFilePath, + JSON.stringify(testServersConfig, null, 2), + 'utf-8' + ); + expect(mockLog.info).toHaveBeenCalledWith( + `scout: Test server configuration saved at ${mockConfigFilePath}` + ); + }); + + it('should throw an error if writing to file fails', () => { + const mockConfigFilePath = `${MOCKED_SCOUT_SERVERS_ROOT}/local.json`; + + (path.join as jest.Mock).mockReturnValueOnce(mockConfigFilePath); + (Fs.existsSync as jest.Mock).mockReturnValueOnce(true); + + // Mock writeFileSync to throw an error + (Fs.writeFileSync as jest.Mock).mockImplementationOnce(() => { + throw new Error('Disk is full'); + }); + + expect(() => saveScoutTestConfigOnDisk(testServersConfig, mockLog)).toThrow( + `Failed to save test server configuration at ${mockConfigFilePath}` + ); + expect(mockLog.error).toHaveBeenCalledWith( + `scout: Failed to save test server configuration - Disk is full` + ); + }); + + it('should create configuration directory if it does not exist', () => { + const mockConfigFilePath = `${MOCKED_SCOUT_SERVERS_ROOT}/local.json`; + + (path.join as jest.Mock).mockReturnValueOnce(mockConfigFilePath); + + // Mock existsSync to simulate non-existent directory + (Fs.existsSync as jest.Mock).mockReturnValueOnce(false); + + const mkdirSyncMock = jest.spyOn(Fs, 'mkdirSync'); + const writeFileSyncMock = jest.spyOn(Fs, 'writeFileSync'); + + saveScoutTestConfigOnDisk(testServersConfig, mockLog); + + expect(Fs.existsSync).toHaveBeenCalledWith(MOCKED_SCOUT_SERVERS_ROOT); + expect(mkdirSyncMock).toHaveBeenCalledWith(MOCKED_SCOUT_SERVERS_ROOT, { recursive: true }); + expect(writeFileSyncMock).toHaveBeenCalledWith( + mockConfigFilePath, + JSON.stringify(testServersConfig, null, 2), + 'utf-8' + ); + expect(mockLog.debug).toHaveBeenCalledWith( + `scout: creating configuration directory: ${MOCKED_SCOUT_SERVERS_ROOT}` + ); + expect(mockLog.info).toHaveBeenCalledWith( + `scout: Test server configuration saved at ${mockConfigFilePath}` + ); + }); +}); diff --git a/packages/kbn-scout/src/config/utils/save_scout_test_config.ts b/packages/kbn-scout/src/config/utils/save_scout_test_config.ts new file mode 100644 index 0000000000000..12d78d804bf9f --- /dev/null +++ b/packages/kbn-scout/src/config/utils/save_scout_test_config.ts @@ -0,0 +1,38 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import * as Fs from 'fs'; +import path from 'path'; +import { ToolingLog } from '@kbn/tooling-log'; +import { SCOUT_SERVERS_ROOT } from '@kbn/scout-info'; +import { ScoutTestConfig } from '../../types'; + +/** + * Saves Scout server configuration to the disk. + * @param testServersConfig configuration to be saved + * @param log Logger instance to report errors or debug information. + */ +export const saveScoutTestConfigOnDisk = (testServersConfig: ScoutTestConfig, log: ToolingLog) => { + const configFilePath = path.join(SCOUT_SERVERS_ROOT, `local.json`); + + try { + const jsonData = JSON.stringify(testServersConfig, null, 2); + + if (!Fs.existsSync(SCOUT_SERVERS_ROOT)) { + log.debug(`scout: creating configuration directory: ${SCOUT_SERVERS_ROOT}`); + Fs.mkdirSync(SCOUT_SERVERS_ROOT, { recursive: true }); + } + + Fs.writeFileSync(configFilePath, jsonData, 'utf-8'); + log.info(`scout: Test server configuration saved at ${configFilePath}`); + } catch (error) { + log.error(`scout: Failed to save test server configuration - ${error.message}`); + throw new Error(`Failed to save test server configuration at ${configFilePath}`); + } +}; diff --git a/packages/kbn-scout/src/config/utils/utils.ts b/packages/kbn-scout/src/config/utils/utils.ts new file mode 100644 index 0000000000000..4fab350e8b4b1 --- /dev/null +++ b/packages/kbn-scout/src/config/utils/utils.ts @@ -0,0 +1,28 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import getopts from 'getopts'; +import { ServerlessProjectType } from '@kbn/es'; + +export const formatCurrentDate = () => { + const now = new Date(); + + const format = (num: number, length: number) => String(num).padStart(length, '0'); + + return ( + `${format(now.getDate(), 2)}/${format(now.getMonth() + 1, 2)}/${now.getFullYear()} ` + + `${format(now.getHours(), 2)}:${format(now.getMinutes(), 2)}:${format(now.getSeconds(), 2)}.` + + `${format(now.getMilliseconds(), 3)}` + ); +}; + +export const getProjectType = (kbnServerArgs: string[]) => { + const options = getopts(kbnServerArgs); + return options.serverless as ServerlessProjectType; +}; diff --git a/packages/kbn-scout/src/playwright/config/create_config.test.ts b/packages/kbn-scout/src/playwright/config/create_config.test.ts new file mode 100644 index 0000000000000..730bdd5ef55e4 --- /dev/null +++ b/packages/kbn-scout/src/playwright/config/create_config.test.ts @@ -0,0 +1,48 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { SCOUT_SERVERS_ROOT } from '@kbn/scout-info'; +import { createPlaywrightConfig } from './create_config'; +import { VALID_CONFIG_MARKER } from '../types'; + +describe('createPlaywrightConfig', () => { + it('should return a valid default Playwright configuration', () => { + const testDir = './my_tests'; + const config = createPlaywrightConfig({ testDir }); + + expect(config.testDir).toBe(testDir); + expect(config.workers).toBe(1); + expect(config.fullyParallel).toBe(false); + expect(config.use).toEqual({ + serversConfigDir: SCOUT_SERVERS_ROOT, + [VALID_CONFIG_MARKER]: true, + screenshot: 'only-on-failure', + trace: 'on-first-retry', + }); + expect(config.globalSetup).toBeUndefined(); + expect(config.globalTeardown).toBeUndefined(); + expect(config.reporter).toEqual([ + ['html', { open: 'never', outputFolder: './output/reports' }], + ['json', { outputFile: './output/reports/test-results.json' }], + ['@kbn/scout-reporting/src/reporting/playwright.ts', { name: 'scout-playwright' }], + ]); + expect(config.timeout).toBe(60000); + expect(config.expect?.timeout).toBe(10000); + expect(config.outputDir).toBe('./output/test-artifacts'); + expect(config.projects![0].name).toEqual('chromium'); + }); + + it(`should override 'workers' count in Playwright configuration`, () => { + const testDir = './my_tests'; + const workers = 2; + + const config = createPlaywrightConfig({ testDir, workers }); + expect(config.workers).toBe(workers); + }); +}); diff --git a/packages/kbn-scout/src/playwright/config/create_config.ts b/packages/kbn-scout/src/playwright/config/create_config.ts new file mode 100644 index 0000000000000..cb1e371cb43e7 --- /dev/null +++ b/packages/kbn-scout/src/playwright/config/create_config.ts @@ -0,0 +1,76 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { defineConfig, PlaywrightTestConfig, devices } from '@playwright/test'; +import { scoutPlaywrightReporter } from '@kbn/scout-reporting'; +import { SCOUT_SERVERS_ROOT } from '@kbn/scout-info'; +import { ScoutPlaywrightOptions, ScoutTestOptions, VALID_CONFIG_MARKER } from '../types'; + +export function createPlaywrightConfig(options: ScoutPlaywrightOptions): PlaywrightTestConfig { + return defineConfig({ + testDir: options.testDir, + /* Run tests in files in parallel */ + fullyParallel: false, + /* Fail the build on CI if you accidentally left test.only in the source code. */ + forbidOnly: !!process.env.CI, + /* Retry on CI only */ + retries: process.env.CI ? 2 : 0, + /* Opt out of parallel tests on CI. */ + workers: options.workers ?? 1, + /* Reporter to use. See https://playwright.dev/docs/test-reporters */ + reporter: [ + ['html', { outputFolder: './output/reports', open: 'never' }], // HTML report configuration + ['json', { outputFile: './output/reports/test-results.json' }], // JSON report + scoutPlaywrightReporter({ name: 'scout-playwright' }), // Scout report + ], + /* Shared settings for all the projects below. See https://playwright.dev/docs/api/class-testoptions. */ + use: { + serversConfigDir: SCOUT_SERVERS_ROOT, + [VALID_CONFIG_MARKER]: true, + /* Base URL to use in actions like `await page.goto('/')`. */ + // baseURL: 'http://127.0.0.1:3000', + + /* Collect trace when retrying the failed test. See https://playwright.dev/docs/trace-viewer */ + trace: 'on-first-retry', + screenshot: 'only-on-failure', + // video: 'retain-on-failure', + // storageState: './output/reports/state.json', // Store session state (like cookies) + }, + + // Timeout for each test, includes test, hooks and fixtures + timeout: 60000, + + // Timeout for each assertion + expect: { + timeout: 10000, + }, + + outputDir: './output/test-artifacts', // For other test artifacts (screenshots, videos, traces) + + /* Configure projects for major browsers */ + projects: [ + { + name: 'chromium', + use: { ...devices['Desktop Chrome'] }, + }, + + // { + // name: 'firefox', + // use: { ...devices['Desktop Firefox'] }, + // }, + ], + + /* Run your local dev server before starting the tests */ + // webServer: { + // command: 'npm run start', + // url: 'http://127.0.0.1:3000', + // reuseExistingServer: !process.env.CI, + // }, + }); +} diff --git a/packages/kbn-scout/src/playwright/config/index.ts b/packages/kbn-scout/src/playwright/config/index.ts index cb1e371cb43e7..c3949cca0af7a 100644 --- a/packages/kbn-scout/src/playwright/config/index.ts +++ b/packages/kbn-scout/src/playwright/config/index.ts @@ -7,70 +7,4 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { defineConfig, PlaywrightTestConfig, devices } from '@playwright/test'; -import { scoutPlaywrightReporter } from '@kbn/scout-reporting'; -import { SCOUT_SERVERS_ROOT } from '@kbn/scout-info'; -import { ScoutPlaywrightOptions, ScoutTestOptions, VALID_CONFIG_MARKER } from '../types'; - -export function createPlaywrightConfig(options: ScoutPlaywrightOptions): PlaywrightTestConfig { - return defineConfig({ - testDir: options.testDir, - /* Run tests in files in parallel */ - fullyParallel: false, - /* Fail the build on CI if you accidentally left test.only in the source code. */ - forbidOnly: !!process.env.CI, - /* Retry on CI only */ - retries: process.env.CI ? 2 : 0, - /* Opt out of parallel tests on CI. */ - workers: options.workers ?? 1, - /* Reporter to use. See https://playwright.dev/docs/test-reporters */ - reporter: [ - ['html', { outputFolder: './output/reports', open: 'never' }], // HTML report configuration - ['json', { outputFile: './output/reports/test-results.json' }], // JSON report - scoutPlaywrightReporter({ name: 'scout-playwright' }), // Scout report - ], - /* Shared settings for all the projects below. See https://playwright.dev/docs/api/class-testoptions. */ - use: { - serversConfigDir: SCOUT_SERVERS_ROOT, - [VALID_CONFIG_MARKER]: true, - /* Base URL to use in actions like `await page.goto('/')`. */ - // baseURL: 'http://127.0.0.1:3000', - - /* Collect trace when retrying the failed test. See https://playwright.dev/docs/trace-viewer */ - trace: 'on-first-retry', - screenshot: 'only-on-failure', - // video: 'retain-on-failure', - // storageState: './output/reports/state.json', // Store session state (like cookies) - }, - - // Timeout for each test, includes test, hooks and fixtures - timeout: 60000, - - // Timeout for each assertion - expect: { - timeout: 10000, - }, - - outputDir: './output/test-artifacts', // For other test artifacts (screenshots, videos, traces) - - /* Configure projects for major browsers */ - projects: [ - { - name: 'chromium', - use: { ...devices['Desktop Chrome'] }, - }, - - // { - // name: 'firefox', - // use: { ...devices['Desktop Firefox'] }, - // }, - ], - - /* Run your local dev server before starting the tests */ - // webServer: { - // command: 'npm run start', - // url: 'http://127.0.0.1:3000', - // reuseExistingServer: !process.env.CI, - // }, - }); -} +export { createPlaywrightConfig } from './create_config'; diff --git a/packages/kbn-scout/src/playwright/fixtures/types/worker_scope.ts b/packages/kbn-scout/src/playwright/fixtures/types/worker_scope.ts index c42f7143d3191..29283cbea4517 100644 --- a/packages/kbn-scout/src/playwright/fixtures/types/worker_scope.ts +++ b/packages/kbn-scout/src/playwright/fixtures/types/worker_scope.ts @@ -14,7 +14,7 @@ import { LoadActionPerfOptions } from '@kbn/es-archiver'; import { IndexStats } from '@kbn/es-archiver/src/lib/stats'; import type { UiSettingValues } from '@kbn/test/src/kbn_client/kbn_client_ui_settings'; -import { ScoutServerConfig } from '../../../types'; +import { ScoutTestConfig } from '../../../types'; import { KibanaUrl } from '../../../common/services/kibana_url'; export interface EsArchiverFixture { @@ -58,7 +58,7 @@ export interface UiSettingsFixture { */ export interface ScoutWorkerFixtures { log: ToolingLog; - config: ScoutServerConfig; + config: ScoutTestConfig; kbnUrl: KibanaUrl; esClient: Client; kbnClient: KbnClient; diff --git a/packages/kbn-scout/src/playwright/runner/config_loader.ts b/packages/kbn-scout/src/playwright/runner/config_loader.ts new file mode 100644 index 0000000000000..c7758f1415634 --- /dev/null +++ b/packages/kbn-scout/src/playwright/runner/config_loader.ts @@ -0,0 +1,17 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +/** + * Loads the config module dynamically + * @param configPath config absolute path + * @returns + */ +export async function loadConfigModule(configPath: string) { + return import(configPath); +} diff --git a/packages/kbn-scout/src/playwright/runner/config_validator.test.ts b/packages/kbn-scout/src/playwright/runner/config_validator.test.ts new file mode 100644 index 0000000000000..eb6d97ee8e576 --- /dev/null +++ b/packages/kbn-scout/src/playwright/runner/config_validator.test.ts @@ -0,0 +1,99 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { validatePlaywrightConfig } from './config_validator'; +import * as configLoader from './config_loader'; +import Fs from 'fs'; +import { VALID_CONFIG_MARKER } from '../types'; + +jest.mock('fs'); + +const existsSyncMock = jest.spyOn(Fs, 'existsSync'); +const loadConfigModuleMock = jest.spyOn(configLoader, 'loadConfigModule'); + +describe('validatePlaywrightConfig', () => { + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should pass validation for a valid config file', async () => { + const configPath = 'valid/path/config.ts'; + existsSyncMock.mockReturnValue(true); + loadConfigModuleMock.mockResolvedValue({ + default: { + use: { [VALID_CONFIG_MARKER]: true }, + testDir: './tests', + }, + }); + + await expect(validatePlaywrightConfig(configPath)).resolves.not.toThrow(); + }); + + it('should throw an error if the config file does not have the valid marker', async () => { + const configPath = 'valid/path/config.ts'; + existsSyncMock.mockReturnValue(true); + loadConfigModuleMock.mockResolvedValue({ + default: { + use: {}, + testDir: './tests', + }, + }); + + await expect(validatePlaywrightConfig(configPath)).rejects.toThrow( + `The config file at "${configPath}" must be created with "createPlaywrightConfig" from '@kbn/scout' package:` + ); + }); + + it(`should throw an error if the config file does not have a 'testDir'`, async () => { + const configPath = 'valid/path/config.ts'; + existsSyncMock.mockReturnValue(true); + loadConfigModuleMock.mockResolvedValue({ + default: { + use: { [VALID_CONFIG_MARKER]: true }, + }, + }); + + await expect(validatePlaywrightConfig(configPath)).rejects.toThrow( + `The config file at "${configPath}" must export a valid Playwright configuration with "testDir" property.` + ); + }); + + it('should throw an error if the config file does not have a default export', async () => { + const configPath = 'valid/path/config.ts'; + existsSyncMock.mockReturnValue(true); + loadConfigModuleMock.mockResolvedValue({ + test: { + use: {}, + testDir: './tests', + }, + }); + + await expect(validatePlaywrightConfig(configPath)).rejects.toThrow( + `The config file at "${configPath}" must export default function` + ); + }); + + it('should throw an error if the path does not exist', async () => { + const configPath = 'invalid/path/to/config.ts'; + existsSyncMock.mockReturnValue(false); + + await expect(validatePlaywrightConfig(configPath)).rejects.toThrow( + `Path to a valid TypeScript config file is required: --config ` + ); + }); + + it('should throw an error if the file does not have a .ts extension', async () => { + const configPath = 'config.js'; + existsSyncMock.mockReturnValue(true); + + await expect(validatePlaywrightConfig(configPath)).rejects.toThrow( + `Path to a valid TypeScript config file is required: --config ` + ); + }); +}); diff --git a/packages/kbn-scout/src/playwright/runner/config_validator.ts b/packages/kbn-scout/src/playwright/runner/config_validator.ts index a066a6dfba30c..41c44cfc6eabd 100644 --- a/packages/kbn-scout/src/playwright/runner/config_validator.ts +++ b/packages/kbn-scout/src/playwright/runner/config_validator.ts @@ -7,34 +7,35 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import * as Fs from 'fs'; -import { REPO_ROOT } from '@kbn/repo-info'; +import Fs from 'fs'; import { PlaywrightTestConfig } from 'playwright/test'; -import path from 'path'; import { createFlagError } from '@kbn/dev-cli-errors'; import { ScoutTestOptions, VALID_CONFIG_MARKER } from '../types'; +import { loadConfigModule } from './config_loader'; export async function validatePlaywrightConfig(configPath: string) { - const fullPath = path.resolve(REPO_ROOT, configPath); - // Check if the path exists and has a .ts extension - if (!configPath || !Fs.existsSync(fullPath) || !configPath.endsWith('.ts')) { + if (!configPath || !Fs.existsSync(configPath) || !configPath.endsWith('.ts')) { throw createFlagError( `Path to a valid TypeScript config file is required: --config ` ); } - // Dynamically import the file to check for a default export - const configModule = await import(fullPath); + const configModule = await loadConfigModule(configPath); + // Check for a default export const config = configModule.default as PlaywrightTestConfig; - // Check if the config's 'use' property has the valid marker + if (config === undefined) { + throw createFlagError(`The config file at "${configPath}" must export default function`); + } + if (!config?.use?.[VALID_CONFIG_MARKER]) { + // Check if the config's 'use' property has the valid marker throw createFlagError( `The config file at "${configPath}" must be created with "createPlaywrightConfig" from '@kbn/scout' package:\n -export default createPlaywrightConfig({ - testDir: './tests', -});` + export default createPlaywrightConfig({ + testDir: './tests', + });` ); } diff --git a/packages/kbn-scout/src/playwright/runner/flags.test.ts b/packages/kbn-scout/src/playwright/runner/flags.test.ts new file mode 100644 index 0000000000000..94683146e5278 --- /dev/null +++ b/packages/kbn-scout/src/playwright/runner/flags.test.ts @@ -0,0 +1,102 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { parseTestFlags } from './flags'; +import { FlagsReader } from '@kbn/dev-cli-runner'; +import * as configValidator from './config_validator'; + +const validatePlaywrightConfigMock = jest.spyOn(configValidator, 'validatePlaywrightConfig'); + +describe('parseTestFlags', () => { + it(`should throw an error without 'config' flag`, async () => { + const flags = new FlagsReader({ + stateful: true, + logToFile: false, + headed: false, + }); + + await expect(parseTestFlags(flags)).rejects.toThrow( + 'Path to playwright config is required: --config ' + ); + }); + + it(`should throw an error with '--stateful' flag as string value`, async () => { + const flags = new FlagsReader({ + stateful: 'true', + logToFile: false, + headed: false, + }); + + await expect(parseTestFlags(flags)).rejects.toThrow('expected --stateful to be a boolean'); + }); + + it(`should throw an error with '--serverless' flag as boolean`, async () => { + const flags = new FlagsReader({ + serverless: true, + logToFile: false, + headed: false, + }); + + await expect(parseTestFlags(flags)).rejects.toThrow('expected --serverless to be a string'); + }); + + it(`should throw an error with incorrect '--serverless' flag`, async () => { + const flags = new FlagsReader({ + serverless: 'a', + logToFile: false, + headed: false, + }); + + await expect(parseTestFlags(flags)).rejects.toThrow( + 'invalid --serverless, expected one of "es", "oblt", "security"' + ); + }); + + it(`should parse with correct config and serverless flags`, async () => { + const flags = new FlagsReader({ + config: '/path/to/config', + stateful: false, + serverless: 'oblt', + logToFile: false, + headed: false, + }); + validatePlaywrightConfigMock.mockResolvedValueOnce(); + const result = await parseTestFlags(flags); + + expect(result).toEqual({ + mode: 'serverless=oblt', + configPath: '/path/to/config', + headed: false, + esFrom: undefined, + installDir: undefined, + logsDir: undefined, + }); + }); + + it(`should parse with correct config and stateful flags`, async () => { + const flags = new FlagsReader({ + config: '/path/to/config', + stateful: true, + logToFile: false, + headed: true, + esFrom: 'snapshot', + }); + validatePlaywrightConfigMock.mockResolvedValueOnce(); + const result = await parseTestFlags(flags); + + expect(result).toEqual({ + mode: 'stateful', + configPath: '/path/to/config', + headed: true, + esFrom: 'snapshot', + installDir: undefined, + logsDir: undefined, + }); + }); +}); diff --git a/packages/kbn-scout/src/playwright/runner/flags.ts b/packages/kbn-scout/src/playwright/runner/flags.ts index 7d39d821705c1..e5bded7d6f1c2 100644 --- a/packages/kbn-scout/src/playwright/runner/flags.ts +++ b/packages/kbn-scout/src/playwright/runner/flags.ts @@ -7,6 +7,8 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ +import { REPO_ROOT } from '@kbn/repo-info'; +import path from 'path'; import { FlagOptions, FlagsReader } from '@kbn/dev-cli-runner'; import { createFlagError } from '@kbn/dev-cli-errors'; import { SERVER_FLAG_OPTIONS, parseServerFlags } from '../../servers'; @@ -42,7 +44,8 @@ export async function parseTestFlags(flags: FlagsReader) { throw createFlagError(`Path to playwright config is required: --config `); } - await validatePlaywrightConfig(configPath); + const configFullPath = path.resolve(REPO_ROOT, configPath); + await validatePlaywrightConfig(configFullPath); return { ...options, diff --git a/packages/kbn-scout/src/playwright/utils/index.ts b/packages/kbn-scout/src/playwright/utils/index.ts index 8956c6d7cc18f..347fe7f22d05b 100644 --- a/packages/kbn-scout/src/playwright/utils/index.ts +++ b/packages/kbn-scout/src/playwright/utils/index.ts @@ -7,23 +7,4 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import moment from 'moment'; -import { Config } from '../../config'; -import { tagsByMode } from '../tags'; - -export const serviceLoadedMsg = (name: string) => `scout service loaded: ${name}`; - -export const isValidUTCDate = (date: string): boolean => { - return !isNaN(Date.parse(date)) && new Date(date).toISOString() === date; -}; - -export function formatTime(date: string, fmt: string = 'MMM D, YYYY @ HH:mm:ss.SSS') { - return moment.utc(date, fmt).format(); -} - -export const getPlaywrightGrepTag = (config: Config): string => { - const serversConfig = config.getTestServersConfig(); - return serversConfig.serverless - ? tagsByMode.serverless[serversConfig.projectType!] - : tagsByMode.stateful; -}; +export { serviceLoadedMsg, isValidUTCDate, formatTime, getPlaywrightGrepTag } from './runner_utils'; diff --git a/packages/kbn-scout/src/playwright/utils/runner_utils.test.ts b/packages/kbn-scout/src/playwright/utils/runner_utils.test.ts new file mode 100644 index 0000000000000..007555ea4e7ad --- /dev/null +++ b/packages/kbn-scout/src/playwright/utils/runner_utils.test.ts @@ -0,0 +1,108 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { isValidUTCDate, formatTime, getPlaywrightGrepTag } from './runner_utils'; +import moment from 'moment'; +jest.mock('moment', () => { + const actualMoment = jest.requireActual('moment'); + return { + ...actualMoment, + utc: jest.fn((date, fmt) => actualMoment(date, fmt)), + }; +}); + +describe('isValidUTCDate', () => { + it('should return true for valid UTC date strings', () => { + expect(isValidUTCDate('2019-04-27T23:56:51.374Z')).toBe(true); + }); + + it('should return false for invalid date strings', () => { + expect(isValidUTCDate('invalid-date')).toBe(false); + }); + + it('should return false for valid non-UTC date strings', () => { + expect(isValidUTCDate('2015-09-19T06:31:44')).toBe(false); + expect(isValidUTCDate('Sep 19, 2015 @ 06:31:44.000')).toBe(false); + }); +}); + +describe('formatTime', () => { + it('should format the time using the default format', () => { + const mockDate = '2024-12-16T12:00:00.000Z'; + const mockFormat = 'MMM D, YYYY @ HH:mm:ss.SSS'; + (moment.utc as jest.Mock).mockReturnValue({ format: () => 'Dec 16, 2024 @ 12:00:00.000' }); + + const result = formatTime(mockDate); + + expect(moment.utc).toHaveBeenCalledWith(mockDate, mockFormat); + expect(result).toBe('Dec 16, 2024 @ 12:00:00.000'); + }); + + it('should format the time using a custom format', () => { + const mockDate = '2024-12-16T12:00:00.000Z'; + const customFormat = 'YYYY-MM-DD'; + (moment.utc as jest.Mock).mockReturnValue({ format: () => '2024-12-16' }); + + const result = formatTime(mockDate, customFormat); + + expect(moment.utc).toHaveBeenCalledWith(mockDate, customFormat); + expect(result).toBe('2024-12-16'); + }); +}); + +describe('getPlaywrightGrepTag', () => { + const mockConfig = { + getScoutTestConfig: jest.fn(), + }; + + it('should return the correct tag for serverless mode', () => { + mockConfig.getScoutTestConfig.mockReturnValue({ + serverless: true, + projectType: 'oblt', + }); + + const result = getPlaywrightGrepTag(mockConfig as any); + + expect(mockConfig.getScoutTestConfig).toHaveBeenCalled(); + expect(result).toBe('@svlOblt'); + }); + + it('should return the correct tag for stateful mode', () => { + mockConfig.getScoutTestConfig.mockReturnValue({ + serverless: false, + }); + + const result = getPlaywrightGrepTag(mockConfig as any); + + expect(mockConfig.getScoutTestConfig).toHaveBeenCalled(); + expect(result).toBe('@ess'); + }); + + it('should throw an error if projectType is missing in serverless mode', () => { + mockConfig.getScoutTestConfig.mockReturnValue({ + serverless: true, + projectType: undefined, + }); + + expect(() => getPlaywrightGrepTag(mockConfig as any)).toThrow( + `'projectType' is required to determine tags for 'serverless' mode.` + ); + }); + + it('should throw an error if unknown projectType is set in serverless mode', () => { + mockConfig.getScoutTestConfig.mockReturnValue({ + serverless: true, + projectType: 'a', + }); + + expect(() => getPlaywrightGrepTag(mockConfig as any)).toThrow( + `No tags found for projectType: 'a'.` + ); + }); +}); diff --git a/packages/kbn-scout/src/playwright/utils/runner_utils.ts b/packages/kbn-scout/src/playwright/utils/runner_utils.ts new file mode 100644 index 0000000000000..fda016f9389c8 --- /dev/null +++ b/packages/kbn-scout/src/playwright/utils/runner_utils.ts @@ -0,0 +1,43 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import moment from 'moment'; +import { Config } from '../../config'; +import { tagsByMode } from '../tags'; + +export const serviceLoadedMsg = (name: string) => `scout service loaded: ${name}`; + +export const isValidUTCDate = (date: string): boolean => { + return !isNaN(Date.parse(date)) && new Date(date).toISOString() === date; +}; + +export function formatTime(date: string, fmt: string = 'MMM D, YYYY @ HH:mm:ss.SSS') { + return moment.utc(date, fmt).format(); +} + +export const getPlaywrightGrepTag = (config: Config): string => { + const serversConfig = config.getScoutTestConfig(); + + if (serversConfig.serverless) { + const { projectType } = serversConfig; + + if (!projectType) { + throw new Error(`'projectType' is required to determine tags for 'serverless' mode.`); + } + + const tag = tagsByMode.serverless[projectType]; + if (!tag) { + throw new Error(`No tags found for projectType: '${projectType}'.`); + } + + return tag; + } + + return tagsByMode.stateful; +}; diff --git a/packages/kbn-scout/src/servers/flags.test.ts b/packages/kbn-scout/src/servers/flags.test.ts new file mode 100644 index 0000000000000..1bf6f18c0236b --- /dev/null +++ b/packages/kbn-scout/src/servers/flags.test.ts @@ -0,0 +1,74 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { parseServerFlags } from './flags'; +import { FlagsReader } from '@kbn/dev-cli-runner'; + +describe('parseServerFlags', () => { + it(`should throw an error with '--stateful' flag as string value`, () => { + const flags = new FlagsReader({ + stateful: 'true', + logToFile: false, + }); + + expect(() => parseServerFlags(flags)).toThrow('expected --stateful to be a boolean'); + }); + + it(`should throw an error with '--serverless' flag as boolean`, () => { + const flags = new FlagsReader({ + serverless: true, + logToFile: false, + }); + + expect(() => parseServerFlags(flags)).toThrow('expected --serverless to be a string'); + }); + + it(`should throw an error with incorrect '--serverless' flag`, () => { + const flags = new FlagsReader({ + serverless: 'a', + logToFile: false, + }); + + expect(() => parseServerFlags(flags)).toThrow( + 'invalid --serverless, expected one of "es", "oblt", "security"' + ); + }); + + it(`should parse with correct config and serverless flags`, () => { + const flags = new FlagsReader({ + stateful: false, + serverless: 'oblt', + logToFile: false, + }); + const result = parseServerFlags(flags); + + expect(result).toEqual({ + mode: 'serverless=oblt', + esFrom: undefined, + installDir: undefined, + logsDir: undefined, + }); + }); + + it(`should parse with correct config and stateful flags`, () => { + const flags = new FlagsReader({ + stateful: true, + logToFile: false, + esFrom: 'snapshot', + }); + const result = parseServerFlags(flags); + + expect(result).toEqual({ + mode: 'stateful', + esFrom: 'snapshot', + installDir: undefined, + logsDir: undefined, + }); + }); +}); diff --git a/packages/kbn-scout/src/types/index.ts b/packages/kbn-scout/src/types/index.ts index 024a00ec29e45..5f79c9ba17b88 100644 --- a/packages/kbn-scout/src/types/index.ts +++ b/packages/kbn-scout/src/types/index.ts @@ -7,7 +7,7 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -export * from './config'; +export * from './server_config'; export * from './cli'; -export * from './servers'; +export * from './test_config'; export * from './services'; diff --git a/packages/kbn-scout/src/types/config.d.ts b/packages/kbn-scout/src/types/server_config.d.ts similarity index 96% rename from packages/kbn-scout/src/types/config.d.ts rename to packages/kbn-scout/src/types/server_config.d.ts index 08c4bc5f3f9b0..ea35377d88ca4 100644 --- a/packages/kbn-scout/src/types/config.d.ts +++ b/packages/kbn-scout/src/types/server_config.d.ts @@ -9,7 +9,7 @@ import { UrlParts } from '@kbn/test'; -export interface ScoutLoaderConfig { +export interface ScoutServerConfig { serverless?: boolean; servers: { kibana: UrlParts; diff --git a/packages/kbn-scout/src/types/servers.d.ts b/packages/kbn-scout/src/types/test_config.d.ts similarity index 93% rename from packages/kbn-scout/src/types/servers.d.ts rename to packages/kbn-scout/src/types/test_config.d.ts index 587e1d213b9ba..ffe7d56f83ed5 100644 --- a/packages/kbn-scout/src/types/servers.d.ts +++ b/packages/kbn-scout/src/types/test_config.d.ts @@ -9,10 +9,11 @@ import { ServerlessProjectType } from '@kbn/es'; -export interface ScoutServerConfig { +export interface ScoutTestConfig { serverless: boolean; projectType?: ServerlessProjectType; isCloud: boolean; + license: string; cloudUsersFilePath: string; hosts: { kibana: string; From 559917478e233e8fb579549a781bdefdd65a408d Mon Sep 17 00:00:00 2001 From: wajihaparvez Date: Thu, 19 Dec 2024 11:09:46 -0600 Subject: [PATCH 03/31] [Docs] Fix typo on Lens page (#204847) ## Summary Fixed typo. Closes: [#586](https://github.com/elastic/platform-docs-team/issues/586) --- docs/user/dashboard/lens.asciidoc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/user/dashboard/lens.asciidoc b/docs/user/dashboard/lens.asciidoc index 525ff8d7bfb6a..c8394e44c8fce 100644 --- a/docs/user/dashboard/lens.asciidoc +++ b/docs/user/dashboard/lens.asciidoc @@ -671,7 +671,7 @@ For area, line, and bar charts, press Shift, then click the series in the legend .*How do I visualize saved Discover sessions?* [%collapsible] ==== -Visualizing saved Discover sessions in unsupported. +Visualizing saved Discover sessions is unsupported. ==== [discrete] From 4f4772f63e609edcb5017183f54126f98cbe975d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Jos=C3=A9=20Luis=20Gonz=C3=A1lez?= Date: Thu, 19 Dec 2024 18:19:08 +0100 Subject: [PATCH 04/31] [Search] Moving search-empty-prompt to a shared package (#204545) ## Summary The goal for this PR is to move the `search-empty-propmpt` we use as a Empty states and coming soon pages in Serverless to a shared package in order to be able to reuse this layout and some parts of the content either in Stack or Serverless. After merging this PR, next one will bring this content to Stack: [[Search][Stack] Web Crawlers coming soon pages](https://github.com/elastic/kibana/pull/204768) References: - [Packages / Internal Dependency Management](https://docs.elastic.dev/kibana-dev-docs/ops/packages) --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> Co-authored-by: Elastic Machine --- x-pack/packages/search/shared_ui/index.ts | 3 + .../src/connector_icon/connector_icon.tsx | 27 ++ .../shared_ui/src/connector_icon/index.ts | 8 + .../decorative_horizontal_stepper.tsx | 46 +++ .../decorative_horizontal_stepper/index.ts | 7 + .../src/search_empty_prompt/index.ts | 8 + .../search_empty_prompt.tsx | 90 ++++++ .../translations/translations/fr-FR.json | 2 - .../translations/translations/ja-JP.json | 2 - .../translations/translations/zh-CN.json | 2 - .../serverless_search/common/i18n_string.ts | 4 + .../elastic_managed_connector_coming_soon.tsx | 196 ------------ ...lastic_managed_connectors_empty_prompt.tsx | 144 +++++++++ .../connectors/empty_connectors_prompt.tsx | 293 ------------------ .../self_managed_connectors_empty_prompt.tsx | 256 +++++++++++++++ .../components/connectors_elastic_managed.tsx | 9 +- .../components/connectors_overview.tsx | 9 +- .../connector_empty_prompt.tsx | 4 +- ...lastic_managed_web_crawler_coming_soon.tsx | 171 ---------- ...stic_managed_web_crawlers_empty_prompt.tsx | 121 ++++++++ .../empty_web_crawlers_prompt.tsx | 270 ---------------- ...self_managed_web_crawlers_empty_prompt.tsx | 229 ++++++++++++++ .../web_crawlers_elastic_managed.tsx | 6 +- .../components/web_crawlers_overview.tsx | 8 +- .../plugins/serverless_search/tsconfig.json | 1 + 25 files changed, 956 insertions(+), 960 deletions(-) create mode 100644 x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx create mode 100644 x-pack/packages/search/shared_ui/src/connector_icon/index.ts create mode 100644 x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx create mode 100644 x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/index.ts create mode 100644 x-pack/packages/search/shared_ui/src/search_empty_prompt/index.ts create mode 100644 x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx delete mode 100644 x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connector_coming_soon.tsx create mode 100644 x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connectors_empty_prompt.tsx delete mode 100644 x-pack/plugins/serverless_search/public/application/components/connectors/empty_connectors_prompt.tsx create mode 100644 x-pack/plugins/serverless_search/public/application/components/connectors/self_managed_connectors_empty_prompt.tsx delete mode 100644 x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawler_coming_soon.tsx create mode 100644 x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawlers_empty_prompt.tsx delete mode 100644 x-pack/plugins/serverless_search/public/application/components/web_crawlers/empty_web_crawlers_prompt.tsx create mode 100644 x-pack/plugins/serverless_search/public/application/components/web_crawlers/self_managed_web_crawlers_empty_prompt.tsx diff --git a/x-pack/packages/search/shared_ui/index.ts b/x-pack/packages/search/shared_ui/index.ts index 786fc67f4ea6d..66b35fc503371 100644 --- a/x-pack/packages/search/shared_ui/index.ts +++ b/x-pack/packages/search/shared_ui/index.ts @@ -5,4 +5,7 @@ * 2.0. */ +export * from './src/connector_icon'; +export * from './src/decorative_horizontal_stepper'; export * from './src/form_info_field/form_info_field'; +export * from './src/search_empty_prompt'; diff --git a/x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx b/x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx new file mode 100644 index 0000000000000..a37a3d8d99780 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx @@ -0,0 +1,27 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiToolTip, EuiIcon } from '@elastic/eui'; + +interface ConnectorIconProps { + name: string; + serviceType: string; + iconPath?: string; + showTooltip?: boolean; +} + +export const ConnectorIcon: React.FC = ({ + name, + serviceType, + iconPath, + showTooltip = true, +}) => { + const icon = ; + + return showTooltip ? {icon} : icon; +}; diff --git a/x-pack/packages/search/shared_ui/src/connector_icon/index.ts b/x-pack/packages/search/shared_ui/src/connector_icon/index.ts new file mode 100644 index 0000000000000..6bb7ae4a7a7b3 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/connector_icon/index.ts @@ -0,0 +1,8 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +export * from './connector_icon'; diff --git a/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx b/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx new file mode 100644 index 0000000000000..414fe8d9a73f3 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx @@ -0,0 +1,46 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiStepsHorizontal, EuiStepsHorizontalProps } from '@elastic/eui'; +import { css } from '@emotion/react'; + +interface DecorativeHorizontalStepperProps { + stepCount?: number; +} + +export const DecorativeHorizontalStepper: React.FC = ({ + stepCount = 2, +}) => { + // Generate the steps dynamically based on the stepCount prop + const horizontalSteps: EuiStepsHorizontalProps['steps'] = Array.from( + { length: stepCount }, + (_, index) => ({ + title: '', + status: 'incomplete', + onClick: () => {}, + }) + ); + + return ( + /* This is a presentational component, not intended for user interaction: + pointer-events: none, prevents user interaction with the component. + inert prevents click, focus, and other interactive events, removing it from the tab order. + role="presentation" indicates that this component is purely decorative and not interactive for assistive technologies. + Together, these attributes help ensure the component is accesible. */ + + ); +}; diff --git a/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/index.ts b/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/index.ts new file mode 100644 index 0000000000000..d29c384929804 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/index.ts @@ -0,0 +1,7 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ +export * from './decorative_horizontal_stepper'; diff --git a/x-pack/packages/search/shared_ui/src/search_empty_prompt/index.ts b/x-pack/packages/search/shared_ui/src/search_empty_prompt/index.ts new file mode 100644 index 0000000000000..0d4e70203ec31 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/search_empty_prompt/index.ts @@ -0,0 +1,8 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +export * from './search_empty_prompt'; diff --git a/x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx b/x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx new file mode 100644 index 0000000000000..9099d75c24677 --- /dev/null +++ b/x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx @@ -0,0 +1,90 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { + EuiFlexGroup, + EuiFlexItem, + EuiPanel, + EuiIcon, + EuiTitle, + EuiText, + EuiButtonEmpty, + EuiBadge, +} from '@elastic/eui'; + +interface BackButtonProps { + label: string; + onClickBack: () => void; +} +interface SearchEmptyPromptProps { + actions?: React.ReactNode; + backButton?: BackButtonProps; + body?: React.ReactNode; + description?: string; + icon?: string | React.JSXElementConstructor; + isComingSoon?: boolean; + comingSoonLabel?: string; + title: string; +} + +export const SearchEmptyPrompt: React.FC = ({ + actions, + backButton, + body, + description, + icon, + isComingSoon, + comingSoonLabel, + title, +}) => { + return ( + + + {backButton && ( + + + {backButton.label} + + + )} + {icon && ( + + + + )} + + +

{title}

+
+
+ {isComingSoon && ( + + {comingSoonLabel} + + )} + {description && ( + + +

{description}

+
+
+ )} + {body && <>{body}} + {actions && ( + + {actions} + + )} +
+
+ ); +}; diff --git a/x-pack/platform/plugins/private/translations/translations/fr-FR.json b/x-pack/platform/plugins/private/translations/translations/fr-FR.json index 3c7628ebbdd67..731044f9f61ca 100644 --- a/x-pack/platform/plugins/private/translations/translations/fr-FR.json +++ b/x-pack/platform/plugins/private/translations/translations/fr-FR.json @@ -42632,13 +42632,11 @@ "xpack.serverlessSearch.connectors.typeLabel": "Type", "xpack.serverlessSearch.connectors.variablesTitle": "Variable pour votre {url}", "xpack.serverlessSearch.connectors.waitingForConnection": "En attente de connexion", - "xpack.serverlessSearch.connectorsEmpty.description": "La configuration et le déploiement d'un connecteur se passe entre la source de données tierce, votre terminal et l'UI sans serveur d'Elasticsearch. Le processus à haut niveau ressemble à ça :", "xpack.serverlessSearch.connectorsEmpty.dockerLabel": "Docker", "xpack.serverlessSearch.connectorsEmpty.guideOneDescription": "Choisissez une source de données à synchroniser", "xpack.serverlessSearch.connectorsEmpty.guideThreeDescription": "Saisissez les informations d'accès et de connexion pour votre source de données et exécutez votre première synchronisation", "xpack.serverlessSearch.connectorsEmpty.guideTwoDescription": "Déployez le code du connecteur sur votre propre infrastructure en exécutant {source} ou à l'aide de {docker}", "xpack.serverlessSearch.connectorsEmpty.sourceLabel": "source", - "xpack.serverlessSearch.connectorsEmpty.title": "Créer un connecteur", "xpack.serverlessSearch.connectorsPythonLink": "elastic/connecteurs", "xpack.serverlessSearch.connectorsTable.summaryLabel": "Affichage des {items} de {count} {connectors}", "xpack.serverlessSearch.disabled": "Désactivé", diff --git a/x-pack/platform/plugins/private/translations/translations/ja-JP.json b/x-pack/platform/plugins/private/translations/translations/ja-JP.json index 75df793165671..e262a4bb35a41 100644 --- a/x-pack/platform/plugins/private/translations/translations/ja-JP.json +++ b/x-pack/platform/plugins/private/translations/translations/ja-JP.json @@ -42489,13 +42489,11 @@ "xpack.serverlessSearch.connectors.typeLabel": "型", "xpack.serverlessSearch.connectors.variablesTitle": "{url}の変数", "xpack.serverlessSearch.connectors.waitingForConnection": "接続を待機中", - "xpack.serverlessSearch.connectorsEmpty.description": "コネクターを設定およびデプロイするには、サードパーティのデータソース、端末、ElasticsearchサーバーレスUI の間で作業することになります。プロセスの概要は次のとおりです。", "xpack.serverlessSearch.connectorsEmpty.dockerLabel": "Docker", "xpack.serverlessSearch.connectorsEmpty.guideOneDescription": "同期したいデータソースを選択します。", "xpack.serverlessSearch.connectorsEmpty.guideThreeDescription": "データソースのアクセスと接続の詳細情報を入力し、最初の同期を実行します", "xpack.serverlessSearch.connectorsEmpty.guideTwoDescription": "{source}から実行するか、{docker}を使用して、独自のインフラにコネクターコードをデプロイします。", "xpack.serverlessSearch.connectorsEmpty.sourceLabel": "ソース", - "xpack.serverlessSearch.connectorsEmpty.title": "コネクターを作成する", "xpack.serverlessSearch.connectorsPythonLink": "elastic/コネクター", "xpack.serverlessSearch.connectorsTable.summaryLabel": "{count} {connectors}中{items}を表示中", "xpack.serverlessSearch.disabled": "無効", diff --git a/x-pack/platform/plugins/private/translations/translations/zh-CN.json b/x-pack/platform/plugins/private/translations/translations/zh-CN.json index 59207bbfc580b..f63f6602f7257 100644 --- a/x-pack/platform/plugins/private/translations/translations/zh-CN.json +++ b/x-pack/platform/plugins/private/translations/translations/zh-CN.json @@ -41877,13 +41877,11 @@ "xpack.serverlessSearch.connectors.typeLabel": "类型", "xpack.serverlessSearch.connectors.variablesTitle": "您的 {url} 的变量", "xpack.serverlessSearch.connectors.waitingForConnection": "等待连接", - "xpack.serverlessSearch.connectorsEmpty.description": "要设置并部署连接器,您需要在第三方数据源、终端与 Elasticsearch 无服务器 UI 之间开展工作。高级流程类似于这样:", "xpack.serverlessSearch.connectorsEmpty.dockerLabel": "Docker", "xpack.serverlessSearch.connectorsEmpty.guideOneDescription": "选择要同步的数据源", "xpack.serverlessSearch.connectorsEmpty.guideThreeDescription": "输入您数据源的访问权限和连接详情,然后运行第一次同步", "xpack.serverlessSearch.connectorsEmpty.guideTwoDescription": "通过从 {source} 运行或使用 {docker} 在您自己的基础设施上部署连接器代码", "xpack.serverlessSearch.connectorsEmpty.sourceLabel": "源", - "xpack.serverlessSearch.connectorsEmpty.title": "创建连接器", "xpack.serverlessSearch.connectorsPythonLink": "Elastic/连接器", "xpack.serverlessSearch.connectorsTable.summaryLabel": "正在显示 {items} 个(共 {count} 个){connectors}", "xpack.serverlessSearch.disabled": "已禁用", diff --git a/x-pack/plugins/serverless_search/common/i18n_string.ts b/x-pack/plugins/serverless_search/common/i18n_string.ts index a6597ca915b60..43ae938b2b4de 100644 --- a/x-pack/plugins/serverless_search/common/i18n_string.ts +++ b/x-pack/plugins/serverless_search/common/i18n_string.ts @@ -59,6 +59,10 @@ export const TECH_PREVIEW_LABEL: string = i18n.translate('xpack.serverlessSearch defaultMessage: 'Tech preview', }); +export const COMING_SOON_LABEL: string = i18n.translate('xpack.serverlessSearch.comingSoon', { + defaultMessage: 'Coming soon', +}); + export const INVALID_JSON_ERROR: string = i18n.translate( 'xpack.serverlessSearch.invalidJsonError', { diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connector_coming_soon.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connector_coming_soon.tsx deleted file mode 100644 index 3057c6806fd73..0000000000000 --- a/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connector_coming_soon.tsx +++ /dev/null @@ -1,196 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import React from 'react'; -import { - EuiFlexGroup, - EuiFlexItem, - EuiPanel, - EuiIcon, - EuiTitle, - EuiText, - EuiBadge, - EuiButtonEmpty, -} from '@elastic/eui'; - -import { i18n } from '@kbn/i18n'; - -// import { generatePath } from 'react-router-dom'; -import { SERVERLESS_ES_CONNECTORS_ID } from '@kbn/deeplinks-search/constants'; -import { useKibanaServices } from '../../hooks/use_kibana'; -import { useConnectorTypes } from '../../hooks/api/use_connector_types'; -import { useAssetBasePath } from '../../hooks/use_asset_base_path'; - -import { BACK_LABEL } from '../../../../common/i18n_string'; -// import { BASE_CONNECTORS_PATH } from '../../constants'; -import { ConnectorIcon } from './connector_icon'; -import { DecorativeHorizontalStepper } from '../common/decorative_horizontal_stepper'; - -export const ElasticManagedConnectorComingSoon: React.FC = () => { - const connectorTypes = useConnectorTypes(); - - const connectorExamples = connectorTypes.filter((connector) => - ['Gmail', 'Sharepoint Online', 'Jira Cloud', 'Dropbox'].includes(connector.name) - ); - - const { - application: { navigateToApp }, - } = useKibanaServices(); - - const assetBasePath = useAssetBasePath(); - const connectorsIcon = assetBasePath + '/connectors.svg'; - return ( - - - - - - navigateToApp(SERVERLESS_ES_CONNECTORS_ID)} - > - {BACK_LABEL} - - - - - - - -

- {i18n.translate('xpack.serverlessSearch.elasticManagedConnectorEmpty.title', { - defaultMessage: 'Elastic managed connectors', - })} -

-
-
- - Coming soon - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedConnectorEmpty.description', - { - defaultMessage: - "We're actively developing Elastic managed connectors, that won't require any self-managed infrastructure. You'll be able to handle all configuration in the UI. This will simplify syncing your data into a serverless Elasticsearch project. This new workflow will have two steps:", - } - )} -

-
-
- - - - - - - - - - - - {connectorExamples.map((connector, index) => ( - - {index === Math.floor(connectorExamples.length / 2) && ( - - - - )} - - - - - ))} - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedConnectorEmpty.guideOneDescription', - { - defaultMessage: - "Choose from over 30 third-party data sources you'd like to sync", - } - )} -

-
-
-
-
- - - - - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedConnectorEmpty.guideThreeDescription', - { - defaultMessage: - 'Enter access and connection details for your data source and run your first sync using the Kibana UI', - } - )} -

-
-
-
-
-
-
-
-
-
-
-
-
- ); -}; diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connectors_empty_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connectors_empty_prompt.tsx new file mode 100644 index 0000000000000..a1e82319eab89 --- /dev/null +++ b/x-pack/plugins/serverless_search/public/application/components/connectors/elastic_managed_connectors_empty_prompt.tsx @@ -0,0 +1,144 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import React from 'react'; +import { EuiFlexGroup, EuiFlexItem, EuiPanel, EuiIcon, EuiText } from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; +import { ConnectorIcon } from '@kbn/search-shared-ui'; +import { SearchEmptyPrompt, DecorativeHorizontalStepper } from '@kbn/search-shared-ui'; +import { SERVERLESS_ES_CONNECTORS_ID } from '@kbn/deeplinks-search/constants'; +import { BACK_LABEL } from '../../../../common/i18n_string'; +import { useKibanaServices } from '../../hooks/use_kibana'; +import { useConnectorTypes } from '../../hooks/api/use_connector_types'; +import { useAssetBasePath } from '../../hooks/use_asset_base_path'; + +export const ElasticManagedConnectorsEmptyPrompt: React.FC = () => { + const connectorTypes = useConnectorTypes(); + const connectorExamples = connectorTypes.filter((connector) => + ['Gmail', 'Sharepoint Online', 'Jira Cloud', 'Dropbox'].includes(connector.name) + ); + + const assetBasePath = useAssetBasePath(); + const connectorsIcon = assetBasePath + '/connectors.svg'; + const { + application: { navigateToApp }, + } = useKibanaServices(); + + return ( + navigateToApp(SERVERLESS_ES_CONNECTORS_ID), + }} + icon={connectorsIcon} + title={i18n.translate('xpack.serverlessSearch.elasticManagedConnectorEmpty.title', { + defaultMessage: 'Elastic managed connectors', + })} + description={i18n.translate( + 'xpack.serverlessSearch.elasticManagedConnectorEmpty.description', + { + defaultMessage: + "We're actively developing Elastic managed connectors, that won't require any self-managed infrastructure. You'll be able to handle all configuration in the UI. This will simplify syncing your data into a serverless Elasticsearch project. This new workflow will have two steps:", + } + )} + isComingSoon + body={ + + + + + + + + + + + + {connectorExamples.map((connector, index) => ( + + {index === Math.floor(connectorExamples.length / 2) && ( + + + + )} + + + + + ))} + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.elasticManagedConnectorEmpty.guideOneDescription', + { + defaultMessage: + "Choose from over 30 third-party data sources you'd like to sync", + } + )} +

+
+
+
+
+ + + + + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.elasticManagedConnectorEmpty.guideThreeDescription', + { + defaultMessage: + 'Enter access and connection details for your data source and run your first sync using the Kibana UI', + } + )} +

+
+
+
+
+
+
+
+
+ } + /> + ); +}; diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors/empty_connectors_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors/empty_connectors_prompt.tsx deleted file mode 100644 index 0767f8cfaf276..0000000000000 --- a/x-pack/plugins/serverless_search/public/application/components/connectors/empty_connectors_prompt.tsx +++ /dev/null @@ -1,293 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import { - EuiFlexGroup, - EuiFlexItem, - EuiPanel, - EuiIcon, - EuiTitle, - EuiText, - EuiLink, - EuiButton, - EuiBadge, -} from '@elastic/eui'; -import { i18n } from '@kbn/i18n'; -import React from 'react'; -import { FormattedMessage } from '@kbn/i18n-react'; - -import { docLinks } from '../../../../common/doc_links'; -import { useKibanaServices } from '../../hooks/use_kibana'; -import { useConnectorTypes } from '../../hooks/api/use_connector_types'; -import { useCreateConnector } from '../../hooks/api/use_create_connector'; -import { useAssetBasePath } from '../../hooks/use_asset_base_path'; -import { useConnectors } from '../../hooks/api/use_connectors'; -import { DecorativeHorizontalStepper } from '../common/decorative_horizontal_stepper'; -import { ConnectorIcon } from './connector_icon'; - -import { ELASTIC_MANAGED_CONNECTOR_PATH, BASE_CONNECTORS_PATH } from '../../constants'; - -export const EmptyConnectorsPrompt: React.FC = () => { - const connectorTypes = useConnectorTypes(); - - const connectorExamples = connectorTypes.filter((connector) => - ['Gmail', 'Sharepoint Online', 'Jira Cloud', 'Dropbox'].includes(connector.name) - ); - const { createConnector, isLoading } = useCreateConnector(); - const { data } = useConnectors(); - - const assetBasePath = useAssetBasePath(); - const connectorsPath = assetBasePath + '/connectors.svg'; - - const { - application: { navigateToUrl }, - } = useKibanaServices(); - - return ( - - - - - - - - - -

- {i18n.translate('xpack.serverlessSearch.connectorsEmpty.title', { - defaultMessage: 'Set up a new connector', - })} -

-
-
- - -

- {i18n.translate('xpack.serverlessSearch.connectorsEmpty.description', { - defaultMessage: - "To set up and deploy a connector you'll be working between the third-party data source, your terminal, and the Elasticsearch serverless UI. The high level process looks like this:", - })} -

-
-
- - - - - - - - - - - - {connectorExamples.map((connector, index) => ( - - {index === Math.floor(connectorExamples.length / 2) && ( - - - - )} - - - - - ))} - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.connectorsEmpty.guideOneDescription', - { - defaultMessage: - "Choose from over 30 third-party data sources you'd like to sync", - } - )} -

-
-
-
-
- - - - - - - - - - - - - - - -

- - {i18n.translate( - 'xpack.serverlessSearch.connectorsEmpty.sourceLabel', - { defaultMessage: 'source' } - )} - - ), - docker: ( - - {i18n.translate( - 'xpack.serverlessSearch.connectorsEmpty.dockerLabel', - { defaultMessage: 'Docker' } - )} - - ), - }} - /> -

-
-
-
-
- - - - - - - - - - - - - - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.connectorsEmpty.guideThreeDescription', - { - defaultMessage: - 'Enter access and connection details for your data source and run your first sync', - } - )} -

-
-
-
-
-
-
-
-
- - - createConnector()} - isLoading={isLoading} - > - {i18n.translate('xpack.serverlessSearch.connectorsEmpty.selfManagedButton', { - defaultMessage: 'Self-managed connector', - })} - - - - - - - navigateToUrl(`${BASE_CONNECTORS_PATH}/${ELASTIC_MANAGED_CONNECTOR_PATH}`) - } - > - {i18n.translate( - 'xpack.serverlessSearch.connectorsEmpty.elasticManagedButton', - { - defaultMessage: 'Elastic managed connector', - } - )} - - - - Coming soon - - - - -
-
-
-
- ); -}; diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors/self_managed_connectors_empty_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors/self_managed_connectors_empty_prompt.tsx new file mode 100644 index 0000000000000..d8805ceb63408 --- /dev/null +++ b/x-pack/plugins/serverless_search/public/application/components/connectors/self_managed_connectors_empty_prompt.tsx @@ -0,0 +1,256 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import { + EuiFlexGroup, + EuiFlexItem, + EuiPanel, + EuiIcon, + EuiLink, + EuiButton, + EuiBadge, + EuiText, +} from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; +import React from 'react'; +import { FormattedMessage } from '@kbn/i18n-react'; +import { ConnectorIcon } from '@kbn/search-shared-ui'; +import { SearchEmptyPrompt, DecorativeHorizontalStepper } from '@kbn/search-shared-ui'; +import { docLinks } from '../../../../common/doc_links'; +import { useKibanaServices } from '../../hooks/use_kibana'; +import { useConnectorTypes } from '../../hooks/api/use_connector_types'; +import { useCreateConnector } from '../../hooks/api/use_create_connector'; +import { useAssetBasePath } from '../../hooks/use_asset_base_path'; +import { useConnectors } from '../../hooks/api/use_connectors'; +import { ELASTIC_MANAGED_CONNECTOR_PATH, BASE_CONNECTORS_PATH } from '../../constants'; +import { BACK_LABEL } from '../../../../common/i18n_string'; + +export const SelfManagedConnectorsEmptyPrompt: React.FC = () => { + const connectorTypes = useConnectorTypes(); + const connectorExamples = connectorTypes.filter((connector) => + ['Gmail', 'Sharepoint Online', 'Jira Cloud', 'Dropbox'].includes(connector.name) + ); + const { createConnector, isLoading } = useCreateConnector(); + const { data } = useConnectors(); + const assetBasePath = useAssetBasePath(); + const connectorsIcon = assetBasePath + '/connectors.svg'; + const { + application: { navigateToUrl }, + } = useKibanaServices(); + + return ( + + + + + + + + + + + + {connectorExamples.map((connector, index) => ( + + {index === Math.floor(connectorExamples.length / 2) && ( + + + + )} + + + + + ))} + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.connectorsEmpty.guideOneDescription', + { + defaultMessage: + "Choose from over 30 third-party data sources you'd like to sync", + } + )} +

+
+
+
+
+ + + + + + + + + + + + + + + +

+ + {i18n.translate( + 'xpack.serverlessSearch.connectorsEmpty.sourceLabel', + { defaultMessage: 'source' } + )} + + ), + docker: ( + + {i18n.translate( + 'xpack.serverlessSearch.connectorsEmpty.dockerLabel', + { defaultMessage: 'Docker' } + )} + + ), + }} + /> +

+
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.connectorsEmpty.guideThreeDescription', + { + defaultMessage: + 'Enter access and connection details for your data source and run your first sync', + } + )} +

+
+
+
+
+
+
+
+ + } + actions={ + + + createConnector()} + isLoading={isLoading} + > + {i18n.translate('xpack.serverlessSearch.connectorsEmpty.selfManagedButton', { + defaultMessage: 'Self-managed connector', + })} + + + + + + + navigateToUrl(`${BASE_CONNECTORS_PATH}/${ELASTIC_MANAGED_CONNECTOR_PATH}`) + } + > + {i18n.translate('xpack.serverlessSearch.connectorsEmpty.elasticManagedButton', { + defaultMessage: 'Elastic managed connector', + })} + + + + {BACK_LABEL} + + + + + } + /> + ); +}; diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors_elastic_managed.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors_elastic_managed.tsx index e645ede3d67e8..63ab217b0c0fd 100644 --- a/x-pack/plugins/serverless_search/public/application/components/connectors_elastic_managed.tsx +++ b/x-pack/plugins/serverless_search/public/application/components/connectors_elastic_managed.tsx @@ -5,16 +5,13 @@ * 2.0. */ +import React, { useMemo } from 'react'; import { EuiLink, EuiPageTemplate, EuiText } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; import { FormattedMessage } from '@kbn/i18n-react'; -import React, { useMemo } from 'react'; - import { LEARN_MORE_LABEL } from '../../../common/i18n_string'; - +import { ElasticManagedConnectorsEmptyPrompt } from './connectors/elastic_managed_connectors_empty_prompt'; import { useKibanaServices } from '../hooks/use_kibana'; -import { ElasticManagedConnectorComingSoon } from './connectors/elastic_managed_connector_coming_soon'; - import { docLinks } from '../../../common/doc_links'; export const ConnectorsElasticManaged = () => { @@ -55,7 +52,7 @@ export const ConnectorsElasticManaged = () => { - + {embeddableConsole} diff --git a/x-pack/plugins/serverless_search/public/application/components/connectors_overview.tsx b/x-pack/plugins/serverless_search/public/application/components/connectors_overview.tsx index 775cec8db1551..42430df155e3d 100644 --- a/x-pack/plugins/serverless_search/public/application/components/connectors_overview.tsx +++ b/x-pack/plugins/serverless_search/public/application/components/connectors_overview.tsx @@ -20,16 +20,15 @@ import { FormattedMessage } from '@kbn/i18n-react'; import React, { useMemo, useState } from 'react'; import { GithubLink } from '@kbn/search-api-panels'; +import { SelfManagedConnectorsEmptyPrompt } from './connectors/self_managed_connectors_empty_prompt'; import { docLinks } from '../../../common/doc_links'; import { LEARN_MORE_LABEL } from '../../../common/i18n_string'; import { useConnectors } from '../hooks/api/use_connectors'; import { useCreateConnector } from '../hooks/api/use_create_connector'; import { useKibanaServices } from '../hooks/use_kibana'; -import { EmptyConnectorsPrompt } from './connectors/empty_connectors_prompt'; import { ConnectorsTable } from './connectors/connectors_table'; import { ConnectorPrivilegesCallout } from './connectors/connector_config/connector_privileges_callout'; import { useAssetBasePath } from '../hooks/use_asset_base_path'; - import { BASE_CONNECTORS_PATH, ELASTIC_MANAGED_CONNECTOR_PATH } from '../constants'; const CALLOUT_KEY = 'search.connectors.ElasticManaged.ComingSoon.feedbackCallout'; @@ -42,15 +41,11 @@ export const ConnectorsOverview = () => { () => (consolePlugin?.EmbeddableConsole ? : null), [consolePlugin] ); - const canManageConnectors = !data || data.canManageConnectors; - const { application: { navigateToUrl }, } = useKibanaServices(); - const [showCallOut, setShowCallOut] = useState(sessionStorage.getItem(CALLOUT_KEY) !== 'hidden'); - const onDismiss = () => { setShowCallOut(false); sessionStorage.setItem(CALLOUT_KEY, 'hidden'); @@ -155,7 +150,7 @@ export const ConnectorsOverview = () => { ) : ( - + )} {embeddableConsole} diff --git a/x-pack/plugins/serverless_search/public/application/components/index_management/connector_empty_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/index_management/connector_empty_prompt.tsx index 487c80ce48b6f..91d8ad707d423 100644 --- a/x-pack/plugins/serverless_search/public/application/components/index_management/connector_empty_prompt.tsx +++ b/x-pack/plugins/serverless_search/public/application/components/index_management/connector_empty_prompt.tsx @@ -9,7 +9,7 @@ import React from 'react'; import { EuiButtonEmpty, EuiPanel } from '@elastic/eui'; import { BACK_LABEL } from '../../../../common/i18n_string'; -import { EmptyConnectorsPrompt } from '../connectors/empty_connectors_prompt'; +import { SelfManagedConnectorsEmptyPrompt } from '../connectors/self_managed_connectors_empty_prompt'; interface ConnectorIndexEmptyPromptProps { indexName: string; @@ -27,7 +27,7 @@ export const ConnectorIndexEmptyPrompt = ({ onBackClick }: ConnectorIndexEmptyPr > {BACK_LABEL} - + ); }; diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawler_coming_soon.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawler_coming_soon.tsx deleted file mode 100644 index ba146ed847990..0000000000000 --- a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawler_coming_soon.tsx +++ /dev/null @@ -1,171 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import React from 'react'; -import { - EuiFlexGroup, - EuiFlexItem, - EuiPanel, - EuiIcon, - EuiTitle, - EuiText, - EuiBadge, - EuiButtonEmpty, -} from '@elastic/eui'; -import { i18n } from '@kbn/i18n'; - -import { useKibanaServices } from '../../hooks/use_kibana'; -import { useAssetBasePath } from '../../hooks/use_asset_base_path'; - -import { BACK_LABEL } from '../../../../common/i18n_string'; -import { DecorativeHorizontalStepper } from '../common/decorative_horizontal_stepper'; - -export const ElasticManagedWebCrawlersCommingSoon: React.FC = () => { - const { - application: { navigateToUrl }, - } = useKibanaServices(); - - const assetBasePath = useAssetBasePath(); - const webCrawlerIcon = assetBasePath + '/web_crawlers.svg'; - - return ( - - - - - - navigateToUrl(`./`)} - > - {BACK_LABEL} - - - - - - - -

- {i18n.translate('xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.title', { - defaultMessage: 'Elastic managed web crawlers', - })} -

-
-
- - Coming soon - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.description', - { - defaultMessage: - "We're actively developing Elastic managed web crawlers, that won't require any self-managed infrastructure. You'll be able to handle all configuration in the UI. This will simplify syncing your data into a serverless Elasticsearch project. This new workflow will have two steps:", - } - )} -

-
-
- - - - - - - - - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.guideOneDescription', - { - defaultMessage: 'Set one or more domain URLs you want to crawl', - } - )} -

-
-
-
-
- - - - - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.guideThreeDescription', - { - defaultMessage: - 'Configure all the web crawler process using Kibana', - } - )} -

-
-
-
-
-
-
-
-
-
-
-
-
- ); -}; diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawlers_empty_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawlers_empty_prompt.tsx new file mode 100644 index 0000000000000..15160fc1b6a1d --- /dev/null +++ b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/elastic_managed_web_crawlers_empty_prompt.tsx @@ -0,0 +1,121 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ +import React from 'react'; +import { EuiFlexGroup, EuiFlexItem, EuiIcon, EuiPanel, EuiText } from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; +import { SearchEmptyPrompt, DecorativeHorizontalStepper } from '@kbn/search-shared-ui'; +import { SERVERLESS_ES_WEB_CRAWLERS_ID } from '@kbn/deeplinks-search/constants'; +import { BACK_LABEL, COMING_SOON_LABEL } from '../../../../common/i18n_string'; +import { useAssetBasePath } from '../../hooks/use_asset_base_path'; +import { useKibanaServices } from '../../hooks/use_kibana'; + +export const ElasticManagedWebCrawlersEmptyPrompt = () => { + const { + application: { navigateToApp }, + } = useKibanaServices(); + const assetBasePath = useAssetBasePath(); + const webCrawlersIcon = assetBasePath + '/web_crawlers.svg'; + + return ( + navigateToApp(SERVERLESS_ES_WEB_CRAWLERS_ID), + }} + icon={webCrawlersIcon} + title={i18n.translate('xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.title', { + defaultMessage: 'Elastic managed web crawlers', + })} + isComingSoon + comingSoonLabel={COMING_SOON_LABEL} + description={i18n.translate( + 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.description', + { + defaultMessage: + "We're actively developing Elastic managed web crawlers, that won't require any self-managed infrastructure. You'll be able to handle all configuration in the UI. This will simplify syncing your data into a serverless Elasticsearch project. This new workflow will have two steps:", + } + )} + body={ + + + + + + + + + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.guideOneDescription', + { + defaultMessage: 'Set one or more domain URLs you want to crawl', + } + )} +

+
+
+
+
+ + + + + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.elasticManagedWebCrawlerEmpty.guideThreeDescription', + { + defaultMessage: 'Configure all the web crawler process using Kibana', + } + )} +

+
+
+
+
+
+
+
+
+ } + /> + ); +}; diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/empty_web_crawlers_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/empty_web_crawlers_prompt.tsx deleted file mode 100644 index 20c05f86747a8..0000000000000 --- a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/empty_web_crawlers_prompt.tsx +++ /dev/null @@ -1,270 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import React from 'react'; -import { - EuiFlexGroup, - EuiFlexItem, - EuiPanel, - EuiIcon, - EuiTitle, - EuiText, - EuiLink, - EuiButton, - EuiBadge, -} from '@elastic/eui'; -import { i18n } from '@kbn/i18n'; -import { FormattedMessage } from '@kbn/i18n-react'; - -import { useKibanaServices } from '../../hooks/use_kibana'; -import { useAssetBasePath } from '../../hooks/use_asset_base_path'; - -import { ELASTIC_MANAGED_WEB_CRAWLERS_PATH, BASE_WEB_CRAWLERS_PATH } from '../../constants'; -import { DecorativeHorizontalStepper } from '../common/decorative_horizontal_stepper'; - -export const EmptyWebCrawlersPrompt: React.FC = () => { - const { - application: { navigateToUrl }, - } = useKibanaServices(); - - const assetBasePath = useAssetBasePath(); - const webCrawlersIcon = assetBasePath + '/web_crawlers.svg'; - const githubIcon = assetBasePath + '/github_white.svg'; - - return ( - - - - - - - - - -

- {i18n.translate('xpack.serverlessSearch.webCrawlersEmpty.title', { - defaultMessage: 'Set up a web crawler', - })} -

-
-
- - -

- {i18n.translate('xpack.serverlessSearch.webCrawlersEmpty.description', { - defaultMessage: - "To set up and deploy a web crawler you'll be working between data source, your terminal, and the Kibana UI. The high level process looks like this:", - })} -

-
-
- - - - - - - - - - - - - - - - - - - - - - -

- - {i18n.translate( - 'xpack.serverlessSearch.webCrawlersEmpty.sourceLabel', - { defaultMessage: 'source' } - )} - - ), - docker: ( - - {i18n.translate( - 'xpack.serverlessSearch.webCrawlersEmpty.dockerLabel', - { defaultMessage: 'Docker' } - )} - - ), - }} - /> -

-
-
-
-
- - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.webCrawlersEmpty.guideOneDescription', - { - defaultMessage: 'Set one or more domain URLs you want to crawl', - } - )} -

-
-
-
-
- - - - - - - - - - - - - - - - - - - - - - - - -

- {i18n.translate( - 'xpack.serverlessSearch.webCrawlersEmpty.guideThreeDescription', - { - defaultMessage: - 'Configure your web crawler and connect it to Elasticsearch', - } - )} -

-
-
-
-
-
-
-
-
- - - - {i18n.translate('xpack.serverlessSearch.webCrawlersEmpty.selfManagedButton', { - defaultMessage: 'Self-managed web crawler', - })} - - - - - - - navigateToUrl( - `${BASE_WEB_CRAWLERS_PATH}/${ELASTIC_MANAGED_WEB_CRAWLERS_PATH}` - ) - } - > - {i18n.translate( - 'xpack.serverlessSearch.webCrawlersEmpty.elasticManagedButton', - { - defaultMessage: 'Elastic managed web crawler', - } - )} - - - - Coming soon - - - - -
-
-
-
- ); -}; diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers/self_managed_web_crawlers_empty_prompt.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/self_managed_web_crawlers_empty_prompt.tsx new file mode 100644 index 0000000000000..b820e7704c856 --- /dev/null +++ b/x-pack/plugins/serverless_search/public/application/components/web_crawlers/self_managed_web_crawlers_empty_prompt.tsx @@ -0,0 +1,229 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ +import React from 'react'; +import { + EuiBadge, + EuiButton, + EuiFlexGroup, + EuiFlexItem, + EuiIcon, + EuiLink, + EuiPanel, + EuiText, +} from '@elastic/eui'; +import { i18n } from '@kbn/i18n'; +import { SearchEmptyPrompt, DecorativeHorizontalStepper } from '@kbn/search-shared-ui'; +import { FormattedMessage } from '@kbn/i18n-react'; +import { ELASTIC_MANAGED_WEB_CRAWLERS_PATH, BASE_WEB_CRAWLERS_PATH } from '../../constants'; +import { COMING_SOON_LABEL } from '../../../../common/i18n_string'; +import { useKibanaServices } from '../../hooks/use_kibana'; +import { useAssetBasePath } from '../../hooks/use_asset_base_path'; + +export const SelfManagedWebCrawlersEmptyPrompt = () => { + const { + application: { navigateToUrl }, + } = useKibanaServices(); + + const assetBasePath = useAssetBasePath(); + const webCrawlersIcon = assetBasePath + '/web_crawlers.svg'; + const githubIcon = assetBasePath + '/github_white.svg'; + + return ( + + + + + + + + + + + + + + + + + + + + + + +

+ + {i18n.translate( + 'xpack.serverlessSearch.webCrawlersEmpty.sourceLabel', + { defaultMessage: 'source' } + )} + + ), + docker: ( + + {i18n.translate( + 'xpack.serverlessSearch.webCrawlersEmpty.dockerLabel', + { defaultMessage: 'Docker' } + )} + + ), + }} + /> +

+
+
+
+
+ + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.webCrawlersEmpty.guideOneDescription', + { + defaultMessage: 'Set one or more domain URLs you want to crawl', + } + )} +

+
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + +

+ {i18n.translate( + 'xpack.serverlessSearch.webCrawlersEmpty.guideThreeDescription', + { + defaultMessage: + 'Configure your web crawler and connect it to Elasticsearch', + } + )} +

+
+
+
+
+
+
+
+ + } + actions={ + <> + + + {i18n.translate('xpack.serverlessSearch.webCrawlersEmpty.selfManagedButton', { + defaultMessage: 'Self-managed web crawler', + })} + + + + + + + navigateToUrl(`${BASE_WEB_CRAWLERS_PATH}/${ELASTIC_MANAGED_WEB_CRAWLERS_PATH}`) + } + > + {i18n.translate('xpack.serverlessSearch.webCrawlersEmpty.elasticManagedButton', { + defaultMessage: 'Elastic managed web crawler', + })} + + + + {COMING_SOON_LABEL} + + + + + } + /> + ); +}; diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers_elastic_managed.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers_elastic_managed.tsx index 0cf3445f0a5b8..e2594cc621f42 100644 --- a/x-pack/plugins/serverless_search/public/application/components/web_crawlers_elastic_managed.tsx +++ b/x-pack/plugins/serverless_search/public/application/components/web_crawlers_elastic_managed.tsx @@ -9,11 +9,9 @@ import { EuiLink, EuiPageTemplate, EuiText } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; import { FormattedMessage } from '@kbn/i18n-react'; import React, { useMemo } from 'react'; - import { LEARN_MORE_LABEL } from '../../../common/i18n_string'; - import { useKibanaServices } from '../hooks/use_kibana'; -import { ElasticManagedWebCrawlersCommingSoon } from './web_crawlers/elastic_managed_web_crawler_coming_soon'; +import { ElasticManagedWebCrawlersEmptyPrompt } from './web_crawlers/elastic_managed_web_crawlers_empty_prompt'; export const WebCrawlersElasticManaged = () => { const { console: consolePlugin } = useKibanaServices(); @@ -54,7 +52,7 @@ export const WebCrawlersElasticManaged = () => { - + {embeddableConsole} diff --git a/x-pack/plugins/serverless_search/public/application/components/web_crawlers_overview.tsx b/x-pack/plugins/serverless_search/public/application/components/web_crawlers_overview.tsx index 1a112304df69b..e9e31f6c074c1 100644 --- a/x-pack/plugins/serverless_search/public/application/components/web_crawlers_overview.tsx +++ b/x-pack/plugins/serverless_search/public/application/components/web_crawlers_overview.tsx @@ -5,15 +5,13 @@ * 2.0. */ +import React, { useMemo } from 'react'; import { EuiLink, EuiPageTemplate, EuiText } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; import { FormattedMessage } from '@kbn/i18n-react'; -import React, { useMemo } from 'react'; - import { LEARN_MORE_LABEL } from '../../../common/i18n_string'; - import { useKibanaServices } from '../hooks/use_kibana'; -import { EmptyWebCrawlersPrompt } from './web_crawlers/empty_web_crawlers_prompt'; +import { SelfManagedWebCrawlersEmptyPrompt } from './web_crawlers/self_managed_web_crawlers_empty_prompt'; export const WebCrawlersOverview = () => { const { console: consolePlugin } = useKibanaServices(); @@ -54,7 +52,7 @@ export const WebCrawlersOverview = () => { - + {embeddableConsole} diff --git a/x-pack/plugins/serverless_search/tsconfig.json b/x-pack/plugins/serverless_search/tsconfig.json index 854a90fdb5fb5..1af7677bc4983 100644 --- a/x-pack/plugins/serverless_search/tsconfig.json +++ b/x-pack/plugins/serverless_search/tsconfig.json @@ -56,5 +56,6 @@ "@kbn/security-plugin-types-public", "@kbn/deeplinks-search", "@kbn/core-application-browser", + "@kbn/search-shared-ui", ] } From 841bf7368417a1519bfeff20749a6bf44100bcb2 Mon Sep 17 00:00:00 2001 From: "elastic-renovate-prod[bot]" <174716857+elastic-renovate-prod[bot]@users.noreply.github.com> Date: Thu, 19 Dec 2024 18:34:50 +0100 Subject: [PATCH 05/31] Update dependency @elastic/charts to v68.0.4 (main) (#203955) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [@elastic/charts](https://togithub.com/elastic/elastic-charts) | dependencies | patch | [`68.0.3` -> `68.0.4`](https://renovatebot.com/diffs/npm/@elastic%2fcharts/68.0.3/68.0.4) | This version of charts exports a helper function to correct an issue with the chart background color for the new Borealis theme. In addition to this we created a simplified hook `useElasticChartsTheme` from the `@kbn/charts-theme` package which reads the `euiTheme`. ```diff -import { Chart, Settings, LIGHT_THEME, DARK_THEME } from '@elastic/charts'; +import { Chart, Settings } from '@elastic/charts'; -import { useEuiTheme } from '@elastic/eui'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; export function MyComponent() { - const euiTheme = useEuiTheme(); - const baseTheme = euiTheme.colorMode === 'LIGHT' ? LIGHT_THEME : DARK_THEME; + const baseTheme = useElasticChartsTheme(); return ( {/* ... */} ) } ``` --- ### Release Notes
elastic/elastic-charts (@​elastic/charts) ### [`v68.0.4`](https://togithub.com/elastic/elastic-charts/blob/HEAD/CHANGELOG.md#6804-2024-12-11) [Compare Source](https://togithub.com/elastic/elastic-charts/compare/v68.0.3...v68.0.4) ##### Bug Fixes - **xy:** compute per series and global minPointsDistance ([#​2571](https://togithub.com/elastic/elastic-charts/issues/2571)) ([8dae2c1](https://togithub.com/elastic/elastic-charts/commit/8dae2c1f4c99146aa757b2d3eec9d72846248cc7)) ##### Performance Improvements - fix unnecessary re-render ([#​2573](https://togithub.com/elastic/elastic-charts/issues/2573)) ([feacfd6](https://togithub.com/elastic/elastic-charts/commit/feacfd6247b9580a8d32bc5d6284329b2035c1ba))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: elastic-renovate-prod[bot] <174716857+elastic-renovate-prod[bot]@users.noreply.github.com> Co-authored-by: nickofthyme Co-authored-by: adcoelho Co-authored-by: Marco Vettorello Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .github/CODEOWNERS | 1 + package.json | 3 ++- .../components/views_stats/views_chart.tsx | 18 +++++++------- .../content_insights_public/tsconfig.json | 1 + packages/kbn-charts-theme/README.md | 24 +++++++++++++++++++ packages/kbn-charts-theme/index.ts | 23 ++++++++++++++++++ packages/kbn-charts-theme/jest.config.js | 14 +++++++++++ packages/kbn-charts-theme/kibana.jsonc | 5 ++++ packages/kbn-charts-theme/package.json | 6 +++++ packages/kbn-charts-theme/tsconfig.json | 19 +++++++++++++++ .../public/services/theme/theme.test.tsx | 2 +- tsconfig.base.json | 2 ++ .../public/app/components/chart_panel.tsx | 9 ++++--- .../plugins/private/data_usage/tsconfig.json | 1 + .../memory_usage/memory_tree_map/tree_map.tsx | 20 ++++------------ .../platform/plugins/shared/ml/tsconfig.json | 1 + .../ui_components/chart_preview/index.tsx | 8 +++---- .../distribution/index.tsx | 9 ++++--- .../observability_solution/apm/tsconfig.json | 1 + .../alert_details_app_section/index.tsx | 7 +++--- .../infra/tsconfig.json | 3 ++- .../public/hooks/use_chart_theme.tsx | 9 ++++--- .../observability_shared/tsconfig.json | 1 + .../.storybook/decorator.tsx | 7 ++++-- .../plugins/triggers_actions_ui/tsconfig.json | 3 ++- .../public/hooks/use_chart_theme.ts | 8 +++---- .../tsconfig.json | 1 + .../overview/overview/metric_item.tsx | 5 ++-- .../waterfall/waterfall_bar_chart.tsx | 4 ++-- .../waterfall/waterfall_chart_fixed_axis.tsx | 4 ++-- .../public/hooks/use_base_chart_theme.ts | 18 -------------- .../plugins/synthetics/tsconfig.json | 3 ++- .../components/waterfall_bar_chart.tsx | 4 ++-- .../components/waterfall_chart_fixed_axis.tsx | 4 ++-- .../hooks/use_base_chart_theme.ts | 17 ------------- .../plugins/uptime/tsconfig.json | 1 + .../migration_result_panel.tsx | 12 ++++------ .../plugins/security_solution/tsconfig.json | 3 ++- yarn.lock | 12 ++++++---- 39 files changed, 174 insertions(+), 119 deletions(-) create mode 100644 packages/kbn-charts-theme/README.md create mode 100644 packages/kbn-charts-theme/index.ts create mode 100644 packages/kbn-charts-theme/jest.config.js create mode 100644 packages/kbn-charts-theme/kibana.jsonc create mode 100644 packages/kbn-charts-theme/package.json create mode 100644 packages/kbn-charts-theme/tsconfig.json delete mode 100644 x-pack/solutions/observability/plugins/synthetics/public/hooks/use_base_chart_theme.ts delete mode 100644 x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/hooks/use_base_chart_theme.ts diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index a6d5f85891f62..655c8ef55079e 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -296,6 +296,7 @@ packages/kbn-capture-oas-snapshot-cli @elastic/kibana-core packages/kbn-cases-components @elastic/response-ops packages/kbn-cbor @elastic/kibana-operations packages/kbn-chart-icons @elastic/kibana-visualizations +packages/kbn-charts-theme @elastic/kibana-visualizations packages/kbn-check-mappings-update-cli @elastic/kibana-core packages/kbn-check-prod-native-modules-cli @elastic/kibana-operations packages/kbn-ci-stats-core @elastic/kibana-operations diff --git a/package.json b/package.json index 0b62d48e35a04..fe6bf82ad0350 100644 --- a/package.json +++ b/package.json @@ -111,7 +111,7 @@ "@elastic/apm-rum": "^5.16.1", "@elastic/apm-rum-core": "^5.21.1", "@elastic/apm-rum-react": "^2.0.3", - "@elastic/charts": "68.0.3", + "@elastic/charts": "68.0.4", "@elastic/datemath": "5.0.3", "@elastic/ebt": "^1.1.1", "@elastic/ecs": "^8.11.1", @@ -209,6 +209,7 @@ "@kbn/chart-expressions-common": "link:src/plugins/chart_expressions/common", "@kbn/chart-icons": "link:packages/kbn-chart-icons", "@kbn/charts-plugin": "link:src/plugins/charts", + "@kbn/charts-theme": "link:packages/kbn-charts-theme", "@kbn/cloud": "link:packages/cloud", "@kbn/cloud-chat-plugin": "link:x-pack/plugins/cloud_integrations/cloud_chat", "@kbn/cloud-data-migration-plugin": "link:x-pack/platform/plugins/private/cloud_integrations/cloud_data_migration", diff --git a/packages/content-management/content_insights/content_insights_public/src/components/views_stats/views_chart.tsx b/packages/content-management/content_insights/content_insights_public/src/components/views_stats/views_chart.tsx index f05f8c2dbca69..c207f8fb18e19 100644 --- a/packages/content-management/content_insights/content_insights_public/src/components/views_stats/views_chart.tsx +++ b/packages/content-management/content_insights/content_insights_public/src/components/views_stats/views_chart.tsx @@ -8,11 +8,14 @@ */ import React from 'react'; -import { Chart, Settings, DARK_THEME, LIGHT_THEME, BarSeries, Axis } from '@elastic/charts'; -import { formatDate, useEuiTheme } from '@elastic/eui'; -import { i18n } from '@kbn/i18n'; import moment from 'moment'; +import { Chart, Settings, BarSeries, Axis } from '@elastic/charts'; +import { formatDate } from '@elastic/eui'; + +import { i18n } from '@kbn/i18n'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; + const dateFormatter = (d: Date) => formatDate(d, `MM/DD`); const seriesName = i18n.translate('contentManagement.contentEditor.viewsStats.viewsLabel', { @@ -26,8 +29,7 @@ const weekOfFormatter = (date: Date) => }); export const ViewsChart = ({ data }: { data: Array<[week: number, views: number]> }) => { - const { colorMode } = useEuiTheme(); - + const baseTheme = useElasticChartsTheme(); const momentDow = moment().localeData().firstDayOfWeek(); // configured from advanced settings const isoDow = momentDow === 0 ? 7 : momentDow; @@ -35,11 +37,7 @@ export const ViewsChart = ({ data }: { data: Array<[week: number, views: number] return ( - + + + {/* ... */} + + ) +} +``` \ No newline at end of file diff --git a/packages/kbn-charts-theme/index.ts b/packages/kbn-charts-theme/index.ts new file mode 100644 index 0000000000000..933af3cc77257 --- /dev/null +++ b/packages/kbn-charts-theme/index.ts @@ -0,0 +1,23 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { type Theme, getChartsTheme } from '@elastic/charts'; +import { useEuiTheme } from '@elastic/eui'; +import { useMemo } from 'react'; + +/** + * A hook used to get the `@elastic/charts` theme based on the current eui theme. + */ +export function useElasticChartsTheme(): Theme { + const { euiTheme, colorMode } = useEuiTheme(); + return useMemo( + () => getChartsTheme(euiTheme.themeName, colorMode), + [colorMode, euiTheme.themeName] + ); +} diff --git a/packages/kbn-charts-theme/jest.config.js b/packages/kbn-charts-theme/jest.config.js new file mode 100644 index 0000000000000..9216db5e10b6b --- /dev/null +++ b/packages/kbn-charts-theme/jest.config.js @@ -0,0 +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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +module.exports = { + preset: '@kbn/test', + rootDir: '../..', + roots: ['/packages/kbn-charts-theme'], +}; diff --git a/packages/kbn-charts-theme/kibana.jsonc b/packages/kbn-charts-theme/kibana.jsonc new file mode 100644 index 0000000000000..b43497bc92ba9 --- /dev/null +++ b/packages/kbn-charts-theme/kibana.jsonc @@ -0,0 +1,5 @@ +{ + "type": "shared-common", + "id": "@kbn/charts-theme", + "owner": "@elastic/kibana-visualizations" +} diff --git a/packages/kbn-charts-theme/package.json b/packages/kbn-charts-theme/package.json new file mode 100644 index 0000000000000..1aa732346ed3b --- /dev/null +++ b/packages/kbn-charts-theme/package.json @@ -0,0 +1,6 @@ +{ + "name": "@kbn/charts-theme", + "private": true, + "version": "1.0.0", + "license": "Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0" +} \ No newline at end of file diff --git a/packages/kbn-charts-theme/tsconfig.json b/packages/kbn-charts-theme/tsconfig.json new file mode 100644 index 0000000000000..87f865132f4b4 --- /dev/null +++ b/packages/kbn-charts-theme/tsconfig.json @@ -0,0 +1,19 @@ +{ + "extends": "../../tsconfig.base.json", + "compilerOptions": { + "outDir": "target/types", + "types": [ + "jest", + "node", + "react" + ] + }, + "include": [ + "**/*.ts", + "**/*.tsx", + ], + "exclude": [ + "target/**/*" + ], + "kbn_references": [] +} diff --git a/src/plugins/charts/public/services/theme/theme.test.tsx b/src/plugins/charts/public/services/theme/theme.test.tsx index df0acfbede1cf..b478dc284d0d6 100644 --- a/src/plugins/charts/public/services/theme/theme.test.tsx +++ b/src/plugins/charts/public/services/theme/theme.test.tsx @@ -74,7 +74,7 @@ describe('ThemeService', () => { }); }); - describe('useBaseChartTheme', () => { + describe('useChartsBaseTheme', () => { it('updates when the theme setting change', () => { setUpMockTheme.theme$ = createTheme$Mock(false); const themeService = new ThemeService(); diff --git a/tsconfig.base.json b/tsconfig.base.json index 10c2066c09866..744538cf60313 100644 --- a/tsconfig.base.json +++ b/tsconfig.base.json @@ -144,6 +144,8 @@ "@kbn/chart-icons/*": ["packages/kbn-chart-icons/*"], "@kbn/charts-plugin": ["src/plugins/charts"], "@kbn/charts-plugin/*": ["src/plugins/charts/*"], + "@kbn/charts-theme": ["packages/kbn-charts-theme"], + "@kbn/charts-theme/*": ["packages/kbn-charts-theme/*"], "@kbn/check-mappings-update-cli": ["packages/kbn-check-mappings-update-cli"], "@kbn/check-mappings-update-cli/*": ["packages/kbn-check-mappings-update-cli/*"], "@kbn/check-prod-native-modules-cli": ["packages/kbn-check-prod-native-modules-cli"], diff --git a/x-pack/platform/plugins/private/data_usage/public/app/components/chart_panel.tsx b/x-pack/platform/plugins/private/data_usage/public/app/components/chart_panel.tsx index 9a7700a5de828..464c23d28fbee 100644 --- a/x-pack/platform/plugins/private/data_usage/public/app/components/chart_panel.tsx +++ b/x-pack/platform/plugins/private/data_usage/public/app/components/chart_panel.tsx @@ -6,7 +6,7 @@ */ import React, { useCallback, useMemo } from 'react'; -import { EuiFlexItem, EuiPanel, EuiTitle, useEuiTheme } from '@elastic/eui'; +import { EuiFlexItem, EuiPanel, EuiTitle } from '@elastic/eui'; import { Chart, Axis, @@ -14,10 +14,9 @@ import { Settings, ScaleType, niceTimeFormatter, - DARK_THEME, - LIGHT_THEME, LineSeries, } from '@elastic/charts'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { i18n } from '@kbn/i18n'; import { LegendAction } from './legend_action'; import { type MetricTypes, type MetricSeries } from '../../../common/rest_types'; @@ -49,7 +48,7 @@ export const ChartPanel: React.FC = ({ popoverOpen, togglePopover, }) => { - const theme = useEuiTheme(); + const baseTheme = useElasticChartsTheme(); const chartTimestamps = series.flatMap((stream) => stream.data.map((d) => d.x)); @@ -97,7 +96,7 @@ export const ChartPanel: React.FC = ({ = ({ node, type, height }) => { - const { - services: { theme: themeService }, - } = useMlKibana(); - const isDarkTheme = useIsDarkTheme(themeService); - - const baseTheme = useMemo(() => (isDarkTheme ? DARK_THEME : LIGHT_THEME), [isDarkTheme]); + const baseTheme = useElasticChartsTheme(); const { isADEnabled, isDFAEnabled, isNLPEnabled } = useEnabledFeatures(); diff --git a/x-pack/platform/plugins/shared/ml/tsconfig.json b/x-pack/platform/plugins/shared/ml/tsconfig.json index dce8710d648f3..4d5a3668403eb 100644 --- a/x-pack/platform/plugins/shared/ml/tsconfig.json +++ b/x-pack/platform/plugins/shared/ml/tsconfig.json @@ -136,5 +136,6 @@ "@kbn/core-saved-objects-api-server", "@kbn/core-ui-settings-server", "@kbn/core-security-server", + "@kbn/charts-theme", ] } diff --git a/x-pack/plugins/observability_solution/apm/public/components/alerting/ui_components/chart_preview/index.tsx b/x-pack/plugins/observability_solution/apm/public/components/alerting/ui_components/chart_preview/index.tsx index 0136fcfb88f39..c895be7294a2c 100644 --- a/x-pack/plugins/observability_solution/apm/public/components/alerting/ui_components/chart_preview/index.tsx +++ b/x-pack/plugins/observability_solution/apm/public/components/alerting/ui_components/chart_preview/index.tsx @@ -10,8 +10,6 @@ import { Axis, BarSeries, Chart, - LIGHT_THEME, - DARK_THEME, LineAnnotation, Position, RectAnnotation, @@ -22,13 +20,14 @@ import { Tooltip, niceTimeFormatter, } from '@elastic/charts'; -import { COLOR_MODES_STANDARD, EuiSpacer, useEuiTheme } from '@elastic/eui'; +import { EuiSpacer, useEuiTheme } from '@elastic/eui'; import React, { useMemo } from 'react'; import { IUiSettingsClient } from '@kbn/core/public'; import { TimeUnitChar } from '@kbn/observability-plugin/common'; import { UI_SETTINGS } from '@kbn/data-plugin/public'; import moment from 'moment'; import { i18n } from '@kbn/i18n'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { Coordinate } from '../../../../../typings/timeseries'; import { getTimeZone } from '../../../shared/charts/helper/timezone'; import { TimeLabelForData, TIME_LABELS, getDomain } from './chart_preview_helper'; @@ -54,6 +53,7 @@ export function ChartPreview({ totalGroups, }: ChartPreviewProps) { const theme = useEuiTheme(); + const baseTheme = useElasticChartsTheme(); const thresholdOpacity = 0.3; const DEFAULT_DATE_FORMAT = 'Y-MM-DD HH:mm:ss'; @@ -122,7 +122,7 @@ export function ChartPreview({ legendPosition={'bottom'} legendSize={legendSize} locale={i18n.getLocale()} - theme={theme.colorMode === COLOR_MODES_STANDARD.dark ? DARK_THEME : LIGHT_THEME} + baseTheme={baseTheme} /> String(threshold); const AlertDetailsAppSection = ({ rule, alert }: AlertDetailsAppSectionProps) => { const { logsShared } = useKibanaContextForPlugin().services; const theme = useTheme(); + const baseTheme = useElasticChartsTheme(); const timeRange = getPaddedAlertTimeRange(alert.fields[ALERT_START]!, alert.fields[ALERT_END]); const alertEnd = alert.fields[ALERT_END] ? moment(alert.fields[ALERT_END]).valueOf() : undefined; const interval = `${rule.params.timeSize}${rule.params.timeUnit}`; @@ -93,7 +94,7 @@ const AlertDetailsAppSection = ({ rule, alert }: AlertDetailsAppSectionProps) => { const themeOverrides: PartialTheme = { diff --git a/x-pack/plugins/observability_solution/observability_shared/tsconfig.json b/x-pack/plugins/observability_solution/observability_shared/tsconfig.json index 15ae8d34c7f55..84c98161d5d46 100644 --- a/x-pack/plugins/observability_solution/observability_shared/tsconfig.json +++ b/x-pack/plugins/observability_solution/observability_shared/tsconfig.json @@ -46,6 +46,7 @@ "@kbn/es-query", "@kbn/serverless", "@kbn/data-views-plugin", + "@kbn/charts-theme", "@kbn/deeplinks-observability", ], "exclude": ["target/**/*", ".storybook/**/*.js"] diff --git a/x-pack/plugins/triggers_actions_ui/.storybook/decorator.tsx b/x-pack/plugins/triggers_actions_ui/.storybook/decorator.tsx index 8947cf9f6bbe8..fcaf0ce7597ce 100644 --- a/x-pack/plugins/triggers_actions_ui/.storybook/decorator.tsx +++ b/x-pack/plugins/triggers_actions_ui/.storybook/decorator.tsx @@ -15,7 +15,7 @@ import { KibanaThemeProvider, KibanaServices } from '@kbn/kibana-react-plugin/pu import { EuiThemeProvider } from '@kbn/kibana-react-plugin/common'; import type { NotificationsStart, ApplicationStart } from '@kbn/core/public'; import { QueryClient, QueryClientProvider } from '@tanstack/react-query'; -import { DARK_THEME, LIGHT_THEME } from '@elastic/charts'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { KibanaContextProvider } from '../public/common/lib/kibana'; import { ExperimentalFeaturesService } from '../public/common/experimental_features_service'; import { getHttp } from './context/http'; @@ -74,6 +74,9 @@ export const StorybookContextDecorator: FC @@ -99,7 +102,7 @@ export const StorybookContextDecorator: FC (darkMode ? DARK_THEME : LIGHT_THEME), + useChartsBaseTheme: () => baseTheme, useSparklineOverrides: () => ({ lineSeriesStyle: { point: { diff --git a/x-pack/plugins/triggers_actions_ui/tsconfig.json b/x-pack/plugins/triggers_actions_ui/tsconfig.json index 7004ad1b1b08c..2fd21149f4e8f 100644 --- a/x-pack/plugins/triggers_actions_ui/tsconfig.json +++ b/x-pack/plugins/triggers_actions_ui/tsconfig.json @@ -74,7 +74,8 @@ "@kbn/core-application-browser", "@kbn/cloud-plugin", "@kbn/response-ops-rule-form", - "@kbn/core-user-profile-browser-mocks" + "@kbn/core-user-profile-browser-mocks", + "@kbn/charts-theme" ], "exclude": ["target/**/*"] } diff --git a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/hooks/use_chart_theme.ts b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/hooks/use_chart_theme.ts index 65873a13de506..063d4c4eef5f4 100644 --- a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/hooks/use_chart_theme.ts +++ b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/hooks/use_chart_theme.ts @@ -5,14 +5,12 @@ * 2.0. */ -import { DARK_THEME, LIGHT_THEME, PartialTheme } from '@elastic/charts'; -import { useEuiTheme } from '@elastic/eui'; +import { PartialTheme } from '@elastic/charts'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { useMemo } from 'react'; export function useChartTheme() { - const theme = useEuiTheme(); - - const baseTheme = theme.colorMode === 'DARK' ? DARK_THEME : LIGHT_THEME; + const baseTheme = useElasticChartsTheme(); return useMemo(() => { const themeOverrides: PartialTheme = { diff --git a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/tsconfig.json b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/tsconfig.json index af075027d9cd4..212a36a502441 100644 --- a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/tsconfig.json +++ b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/tsconfig.json @@ -80,6 +80,7 @@ "@kbn/observability-ai-common", "@kbn/llm-tasks-plugin", "@kbn/product-doc-common", + "@kbn/charts-theme", "@kbn/ai-assistant-icon", ], "exclude": [ diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitors_page/overview/overview/metric_item.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitors_page/overview/overview/metric_item.tsx index 37836f6ef0711..c8c266db63736 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitors_page/overview/overview/metric_item.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitors_page/overview/overview/metric_item.tsx @@ -10,7 +10,7 @@ import { FormattedMessage } from '@kbn/i18n-react'; import { css } from '@emotion/react'; import { Chart, Settings, Metric, MetricTrendShape } from '@elastic/charts'; import { EuiPanel, EuiSpacer } from '@elastic/eui'; -import { DARK_THEME } from '@elastic/charts'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { useTheme } from '@kbn/observability-shared-plugin/public'; import moment from 'moment'; import { useSelector, useDispatch } from 'react-redux'; @@ -132,8 +132,7 @@ export const MetricItem = ({ }); } }} - // TODO connect to charts.theme service see src/plugins/charts/public/services/theme/README.md - baseTheme={DARK_THEME} + baseTheme={useElasticChartsTheme()} locale={i18n.getLocale()} /> { - const baseChartTheme = useBaseChartTheme(); + const baseChartTheme = useElasticChartsTheme(); const { euiTheme } = useEuiTheme(); const { onElementClick, onProjectionClick } = useWaterfallContext(); const handleElementClick = useMemo(() => onElementClick, [onElementClick]); diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_chart_fixed_axis.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_chart_fixed_axis.tsx index 6ec71ee66f1a4..1d496c0f1e48b 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_chart_fixed_axis.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_chart_fixed_axis.tsx @@ -21,7 +21,7 @@ import { } from '@elastic/charts'; import { useEuiTheme } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; -import { useBaseChartTheme } from '../../../../../../hooks/use_base_chart_theme'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { WaterfallChartFixedAxisContainer } from './styles'; import { WaterfallChartMarkers } from './waterfall_marker/waterfall_markers'; @@ -32,7 +32,7 @@ interface Props { } export const WaterfallChartFixedAxis = ({ tickFormat, domain, barStyleAccessor }: Props) => { - const baseChartTheme = useBaseChartTheme(); + const baseChartTheme = useElasticChartsTheme(); const { euiTheme } = useEuiTheme(); return ( diff --git a/x-pack/solutions/observability/plugins/synthetics/public/hooks/use_base_chart_theme.ts b/x-pack/solutions/observability/plugins/synthetics/public/hooks/use_base_chart_theme.ts deleted file mode 100644 index 413081b998aec..0000000000000 --- a/x-pack/solutions/observability/plugins/synthetics/public/hooks/use_base_chart_theme.ts +++ /dev/null @@ -1,18 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import { DARK_THEME, LIGHT_THEME, Theme } from '@elastic/charts'; -import { useMemo } from 'react'; -import { useDarkMode } from '@kbn/kibana-react-plugin/public'; - -export const useBaseChartTheme = (): Theme => { - const darkMode = useDarkMode(false); - - return useMemo(() => { - return darkMode ? DARK_THEME : LIGHT_THEME; - }, [darkMode]); -}; diff --git a/x-pack/solutions/observability/plugins/synthetics/tsconfig.json b/x-pack/solutions/observability/plugins/synthetics/tsconfig.json index ece2a3934e60c..075ef1d3c6443 100644 --- a/x-pack/solutions/observability/plugins/synthetics/tsconfig.json +++ b/x-pack/solutions/observability/plugins/synthetics/tsconfig.json @@ -107,7 +107,8 @@ "@kbn/core-rendering-browser", "@kbn/index-lifecycle-management-common-shared", "@kbn/core-http-server-utils", - "@kbn/apm-data-access-plugin" + "@kbn/apm-data-access-plugin", + "@kbn/charts-theme" ], "exclude": ["target/**/*"] } diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_bar_chart.tsx b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_bar_chart.tsx index 57b20eb3a179c..8f2c5dcf05da5 100644 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_bar_chart.tsx +++ b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_bar_chart.tsx @@ -21,9 +21,9 @@ import { Tooltip, } from '@elastic/charts'; import { i18n } from '@kbn/i18n'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { useAppFixedViewport } from '@kbn/core-rendering-browser'; import { BAR_HEIGHT } from './constants'; -import { useBaseChartTheme } from '../../../../../hooks/use_base_chart_theme'; import { WaterfallChartChartContainer, WaterfallChartTooltip } from './styles'; import { useWaterfallContext, WaterfallData } from '..'; import { WaterfallTooltipContent } from './waterfall_tooltip_content'; @@ -76,7 +76,7 @@ export const WaterfallBarChart = ({ barStyleAccessor, index, }: Props) => { - const baseChartTheme = useBaseChartTheme(); + const baseChartTheme = useElasticChartsTheme(); const { onElementClick, onProjectionClick } = useWaterfallContext(); const handleElementClick = useMemo(() => onElementClick, [onElementClick]); const handleProjectionClick = useMemo(() => onProjectionClick, [onProjectionClick]); diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_chart_fixed_axis.tsx b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_chart_fixed_axis.tsx index 25d9f554f9fa4..4038b2f2d731e 100644 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_chart_fixed_axis.tsx +++ b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/synthetics/waterfall/components/waterfall_chart_fixed_axis.tsx @@ -20,7 +20,7 @@ import { Tooltip, } from '@elastic/charts'; import { i18n } from '@kbn/i18n'; -import { useBaseChartTheme } from '../../../../../hooks/use_base_chart_theme'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { WaterfallChartFixedAxisContainer } from './styles'; import { WaterfallChartMarkers } from './waterfall_markers'; @@ -31,7 +31,7 @@ interface Props { } export const WaterfallChartFixedAxis = ({ tickFormat, domain, barStyleAccessor }: Props) => { - const baseChartTheme = useBaseChartTheme(); + const baseChartTheme = useElasticChartsTheme(); return ( diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/hooks/use_base_chart_theme.ts b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/hooks/use_base_chart_theme.ts deleted file mode 100644 index 007d463c63e1b..0000000000000 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/hooks/use_base_chart_theme.ts +++ /dev/null @@ -1,17 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import { useMemo } from 'react'; -import { useDarkMode } from '@kbn/kibana-react-plugin/public'; -import { DARK_THEME, LIGHT_THEME, Theme } from '@elastic/charts'; - -export const useBaseChartTheme = (): Theme => { - const darkMode = useDarkMode(); - return useMemo(() => { - return darkMode ? DARK_THEME : LIGHT_THEME; - }, [darkMode]); -}; diff --git a/x-pack/solutions/observability/plugins/uptime/tsconfig.json b/x-pack/solutions/observability/plugins/uptime/tsconfig.json index 6761601deb208..75d0e1521db38 100644 --- a/x-pack/solutions/observability/plugins/uptime/tsconfig.json +++ b/x-pack/solutions/observability/plugins/uptime/tsconfig.json @@ -78,6 +78,7 @@ "@kbn/deeplinks-observability", "@kbn/ebt-tools", "@kbn/core-rendering-browser", + "@kbn/charts-theme", "@kbn/charts-plugin", ], "exclude": ["target/**/*"] diff --git a/x-pack/solutions/security/plugins/security_solution/public/siem_migrations/rules/components/migration_status_panels/migration_result_panel.tsx b/x-pack/solutions/security/plugins/security_solution/public/siem_migrations/rules/components/migration_status_panels/migration_result_panel.tsx index cce11abcd8eb7..c8f12d4374834 100644 --- a/x-pack/solutions/security/plugins/security_solution/public/siem_migrations/rules/components/migration_status_panels/migration_result_panel.tsx +++ b/x-pack/solutions/security/plugins/security_solution/public/siem_migrations/rules/components/migration_status_panels/migration_result_panel.tsx @@ -16,11 +16,11 @@ import { EuiBasicTable, EuiHealth, EuiText, - useEuiTheme, } from '@elastic/eui'; -import { Chart, BarSeries, Settings, ScaleType, DARK_THEME, LIGHT_THEME } from '@elastic/charts'; +import { Chart, BarSeries, Settings, ScaleType } from '@elastic/charts'; import { SecurityPageName } from '@kbn/security-solution-navigation'; import { AssistantIcon } from '@kbn/ai-assistant-icon'; +import { useElasticChartsTheme } from '@kbn/charts-theme'; import { PanelText } from '../../../../common/components/panel_text'; import { convertTranslationResultIntoText, @@ -120,7 +120,7 @@ MigrationResultPanel.displayName = 'MigrationResultPanel'; const TranslationResultsChart = React.memo<{ translationStats: RuleMigrationTranslationStats; }>(({ translationStats }) => { - const { colorMode } = useEuiTheme(); + const baseTheme = useElasticChartsTheme(); const translationResultColors = useResultVisColors(); const data = [ { @@ -154,11 +154,7 @@ const TranslationResultsChart = React.memo<{ return ( - + Date: Thu, 19 Dec 2024 18:49:22 +0100 Subject: [PATCH 06/31] lens embeddable forceDSL flag (#203963) --- .../public/chart/histogram.tsx | 3 +++ .../datasources/form_based/form_based.tsx | 13 +++++++++++-- .../datasources/form_based/to_expression.ts | 9 ++++++--- .../editor_frame/expression_helpers.ts | 11 ++++++++--- .../editor_frame/state_helpers.ts | 2 ++ .../workspace_panel/workspace_panel.tsx | 2 ++ .../public/editor_frame_service/service.tsx | 5 ++++- x-pack/plugins/lens/public/plugin.ts | 3 ++- .../public/react_embeddable/data_loader.ts | 1 + .../expressions/expression_params.ts | 12 +++++++++--- .../initialize_dashboard_services.ts | 1 + .../lens_custom_renderer_component.tsx | 2 ++ .../lens/public/react_embeddable/types.ts | 19 ++++++++++++++++--- x-pack/plugins/lens/public/types.ts | 4 +++- 14 files changed, 70 insertions(+), 17 deletions(-) diff --git a/src/plugins/unified_histogram/public/chart/histogram.tsx b/src/plugins/unified_histogram/public/chart/histogram.tsx index 8e3aa78da8d9d..19f92d8b4495a 100644 --- a/src/plugins/unified_histogram/public/chart/histogram.tsx +++ b/src/plugins/unified_histogram/public/chart/histogram.tsx @@ -212,6 +212,9 @@ export function Histogram({ > + toExpression: ( + state, + layerId, + indexPatterns, + dateRange, + nowInstant, + searchSessionId, + forceDSL + ) => toExpression( state, layerId, @@ -458,7 +466,8 @@ export function getFormBasedDatasource({ uiSettings, dateRange, nowInstant, - searchSessionId + searchSessionId, + forceDSL ), LayerSettingsComponent(props) { diff --git a/x-pack/plugins/lens/public/datasources/form_based/to_expression.ts b/x-pack/plugins/lens/public/datasources/form_based/to_expression.ts index 743efc9cb8db7..31478cab6bfc8 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/to_expression.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/to_expression.ts @@ -71,7 +71,8 @@ function getExpressionForLayer( uiSettings: IUiSettingsClient, dateRange: DateRange, nowInstant: Date, - searchSessionId?: string + searchSessionId?: string, + forceDSL?: boolean ): ExpressionAstExpression | null { const { columnOrder } = layer; if (columnOrder.length === 0 || !indexPattern) { @@ -523,7 +524,8 @@ export function toExpression( uiSettings: IUiSettingsClient, dateRange: DateRange, nowInstant: Date, - searchSessionId?: string + searchSessionId?: string, + forceDSL?: boolean ) { if (state.layers[layerId]) { return getExpressionForLayer( @@ -532,7 +534,8 @@ export function toExpression( uiSettings, dateRange, nowInstant, - searchSessionId + searchSessionId, + forceDSL ); } diff --git a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/expression_helpers.ts b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/expression_helpers.ts index 424e91d1a007d..012fc5c208fe4 100644 --- a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/expression_helpers.ts +++ b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/expression_helpers.ts @@ -15,7 +15,8 @@ export function getDatasourceExpressionsByLayers( indexPatterns: IndexPatternMap, dateRange: DateRange, nowInstant: Date, - searchSessionId?: string + searchSessionId?: string, + forceDSL?: boolean ): null | Record { const datasourceExpressions: Array<[string, Ast | string]> = []; @@ -34,7 +35,8 @@ export function getDatasourceExpressionsByLayers( indexPatterns, dateRange, nowInstant, - searchSessionId + searchSessionId, + forceDSL ); if (result) { datasourceExpressions.push([layerId, result]); @@ -67,6 +69,7 @@ export function buildExpression({ dateRange, nowInstant, searchSessionId, + forceDSL, }: { title?: string; description?: string; @@ -79,6 +82,7 @@ export function buildExpression({ searchSessionId?: string; dateRange: DateRange; nowInstant: Date; + forceDSL?: boolean; }): Ast | null { // if an unregistered visualization is passed in the SO // then this will be set as "undefined". Relax the check to catch both @@ -92,7 +96,8 @@ export function buildExpression({ indexPatterns, dateRange, nowInstant, - searchSessionId + searchSessionId, + forceDSL ); const visualizationExpression = visualization.toExpression( diff --git a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/state_helpers.ts b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/state_helpers.ts index efe3ccc84f560..c70d43d4d843b 100644 --- a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/state_helpers.ts +++ b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/state_helpers.ts @@ -367,6 +367,7 @@ export async function persistedStateToExpression( timefilter: TimefilterContract; nowProvider: DataPublicPluginStart['nowProvider']; eventAnnotationService: EventAnnotationServiceType; + forceDSL?: boolean; } ): Promise { const { @@ -459,6 +460,7 @@ export async function persistedStateToExpression( datasourceLayers, indexPatterns, dateRange: { fromDate: currentTimeRange.from, toDate: currentTimeRange.to }, + forceDSL: services.forceDSL, nowInstant: services.nowProvider.get(), }), activeVisualizationState, diff --git a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/workspace_panel/workspace_panel.tsx b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/workspace_panel/workspace_panel.tsx index 5775748da8cee..31228d8bb1da8 100644 --- a/x-pack/plugins/lens/public/editor_frame_service/editor_frame/workspace_panel/workspace_panel.tsx +++ b/x-pack/plugins/lens/public/editor_frame_service/editor_frame/workspace_panel/workspace_panel.tsx @@ -328,6 +328,7 @@ export const InnerWorkspacePanel = React.memo(function InnerWorkspacePanel({ dateRange: framePublicAPI.dateRange, nowInstant: plugins.data.nowProvider.get(), searchSessionId, + forceDSL: framePublicAPI.forceDSL, }); if (ast) { @@ -373,6 +374,7 @@ export const InnerWorkspacePanel = React.memo(function InnerWorkspacePanel({ datasourceLayers, dataViews.indexPatterns, framePublicAPI.dateRange, + framePublicAPI.forceDSL, plugins.data.nowProvider, searchSessionId, addUserMessages, diff --git a/x-pack/plugins/lens/public/editor_frame_service/service.tsx b/x-pack/plugins/lens/public/editor_frame_service/service.tsx index a677e0c6105b8..30a3a3be805f1 100644 --- a/x-pack/plugins/lens/public/editor_frame_service/service.tsx +++ b/x-pack/plugins/lens/public/editor_frame_service/service.tsx @@ -93,7 +93,10 @@ export class EditorFrameService { * This is an asynchronous process. * @param doc parsed Lens saved object */ - public documentToExpression = async (doc: LensDocument, services: EditorFramePlugins) => { + public documentToExpression = async ( + doc: LensDocument, + services: EditorFramePlugins & { forceDSL?: boolean } + ) => { const [resolvedDatasources, resolvedVisualizations] = await Promise.all([ this.loadDatasources(), this.loadVisualizations(), diff --git a/x-pack/plugins/lens/public/plugin.ts b/x-pack/plugins/lens/public/plugin.ts index 538e14518bf6e..d02f0a0685cff 100644 --- a/x-pack/plugins/lens/public/plugin.ts +++ b/x-pack/plugins/lens/public/plugin.ts @@ -367,13 +367,14 @@ export class LensPlugin { coreStart, timefilter: plugins.data.query.timefilter.timefilter, expressionRenderer: plugins.expressions.ReactExpressionRenderer, - documentToExpression: (doc: LensDocument) => + documentToExpression: (doc: LensDocument, forceDSL?: boolean) => this.editorFrameService!.documentToExpression(doc, { dataViews: plugins.dataViews, storage: new Storage(localStorage), uiSettings: core.uiSettings, timefilter: plugins.data.query.timefilter.timefilter, nowProvider: plugins.data.nowProvider, + forceDSL, eventAnnotationService, }), injectFilterReferences: data.query.filterManager.inject.bind(data.query.filterManager), diff --git a/x-pack/plugins/lens/public/react_embeddable/data_loader.ts b/x-pack/plugins/lens/public/react_embeddable/data_loader.ts index a1d2e713d3f81..fe11a7fe66a16 100644 --- a/x-pack/plugins/lens/public/react_embeddable/data_loader.ts +++ b/x-pack/plugins/lens/public/react_embeddable/data_loader.ts @@ -224,6 +224,7 @@ export function loadEmbeddableData( handleEvent, disableTriggers, updateBlockingErrors, + forceDSL: (parentApi as { forceDSL?: boolean }).forceDSL, getDisplayOptions: internalApi.getDisplayOptions, }), getUsedDataViews( diff --git a/x-pack/plugins/lens/public/react_embeddable/expressions/expression_params.ts b/x-pack/plugins/lens/public/react_embeddable/expressions/expression_params.ts index ff6206f3f70e4..f3d4a359ca949 100644 --- a/x-pack/plugins/lens/public/react_embeddable/expressions/expression_params.ts +++ b/x-pack/plugins/lens/public/react_embeddable/expressions/expression_params.ts @@ -62,15 +62,20 @@ interface GetExpressionRendererPropsParams { api: LensApi; addUserMessages: (messages: UserMessage[]) => void; updateBlockingErrors: (error: Error) => void; + forceDSL?: boolean; getDisplayOptions: () => VisualizationDisplayOptions; } async function getExpressionFromDocument( document: LensDocument, - documentToExpression: (doc: LensDocument) => Promise + documentToExpression: ( + doc: LensDocument, + forceDSL?: boolean + ) => Promise, + forceDSL?: boolean ) { const { ast, indexPatterns, indexPatternRefs, activeVisualizationState, activeDatasourceState } = - await documentToExpression(document); + await documentToExpression(document, forceDSL); return { expression: ast ? toExpression(ast) : null, indexPatterns, @@ -147,6 +152,7 @@ export async function getExpressionRendererParams( addUserMessages, updateBlockingErrors, searchContext, + forceDSL, getDisplayOptions, }: GetExpressionRendererPropsParams ): Promise<{ @@ -165,7 +171,7 @@ export async function getExpressionRendererParams( indexPatternRefs, activeVisualizationState, activeDatasourceState, - } = await getExpressionFromDocument(state.attributes, documentToExpression); + } = await getExpressionFromDocument(state.attributes, documentToExpression, forceDSL); // Apparently this change produces had lots of issues with solutions not using // the Embeddable incorrectly. Will comment for now and later on will restore it when diff --git a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_dashboard_services.ts b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_dashboard_services.ts index 67a5d3a89a1c2..06e72def12c62 100644 --- a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_dashboard_services.ts +++ b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_dashboard_services.ts @@ -182,6 +182,7 @@ export function initializeDashboardServices( className: getUnchangingComparator(), overrides: overridesComparator, disableTriggers: disabledTriggersComparator, + forceDSL: getUnchangingComparator(), isNewPanel: getUnchangingComparator<{ isNewPanel?: boolean }, 'isNewPanel'>(), parentApi: getUnchangingComparator, 'parentApi'>(), }, diff --git a/x-pack/plugins/lens/public/react_embeddable/renderer/lens_custom_renderer_component.tsx b/x-pack/plugins/lens/public/react_embeddable/renderer/lens_custom_renderer_component.tsx index 3caada55b81db..1f60c93679952 100644 --- a/x-pack/plugins/lens/public/react_embeddable/renderer/lens_custom_renderer_component.tsx +++ b/x-pack/plugins/lens/public/react_embeddable/renderer/lens_custom_renderer_component.tsx @@ -60,6 +60,7 @@ export function LensRenderer({ timeRange, disabledActions, searchSessionId, + forceDSL, hidePanelTitles, lastReloadRequestTime, ...props @@ -157,6 +158,7 @@ export function LensRenderer({ ...initialStateRef.current, attributes: props.attributes, }), + forceDSL, hidePanelTitle: hidePanelTitles$, reload$, // trigger a reload (replacement for deprepcated searchSessionId) })} diff --git a/x-pack/plugins/lens/public/react_embeddable/types.ts b/x-pack/plugins/lens/public/react_embeddable/types.ts index 98b85860f414f..32cdb6728f041 100644 --- a/x-pack/plugins/lens/public/react_embeddable/types.ts +++ b/x-pack/plugins/lens/public/react_embeddable/types.ts @@ -135,7 +135,10 @@ export type LensEmbeddableStartServices = Simplify< coreStart: CoreStart; capabilities: RecursiveReadonly; expressionRenderer: ReactExpressionRendererType; - documentToExpression: (doc: LensDocument) => Promise; + documentToExpression: ( + doc: LensDocument, + forceDSL?: boolean + ) => Promise; injectFilterReferences: FilterManager['inject']; visualizationMap: VisualizationMap; datasourceMap: DatasourceMap; @@ -261,6 +264,7 @@ export interface LensSharedProps { className?: string; noPadding?: boolean; viewMode?: ViewMode; + forceDSL?: boolean; } interface LensRequestHandlersProps { @@ -323,7 +327,13 @@ export type LensComponentProps = Simplify< */ export type LensComponentForwardedProps = Pick< LensComponentProps, - 'style' | 'className' | 'noPadding' | 'abortController' | 'executionContext' | 'viewMode' + | 'style' + | 'className' + | 'noPadding' + | 'abortController' + | 'executionContext' + | 'viewMode' + | 'forceDSL' >; /** @@ -347,7 +357,10 @@ export type LensRendererProps = Simplify; export type LensRuntimeState = Simplify< Omit & { attributes: NonNullable; - } & Pick & + } & Pick< + LensComponentForwardedProps, + 'viewMode' | 'abortController' | 'executionContext' | 'forceDSL' + > & ContentManagementProps >; diff --git a/x-pack/plugins/lens/public/types.ts b/x-pack/plugins/lens/public/types.ts index f6d4edc02e16d..9b44a951cfcd6 100644 --- a/x-pack/plugins/lens/public/types.ts +++ b/x-pack/plugins/lens/public/types.ts @@ -432,7 +432,8 @@ export interface Datasource ExpressionAstExpression | string | null; getDatasourceSuggestionsForField: ( @@ -962,6 +963,7 @@ export interface FramePublicAPI { */ activeData?: Record; dataViews: DataViewsState; + forceDSL?: boolean; } /** From ddb34ae6a8d3d1649651f775b31a1cba05d2866d Mon Sep 17 00:00:00 2001 From: Peter Pisljar Date: Thu, 19 Dec 2024 18:49:36 +0100 Subject: [PATCH 07/31] Lens IndexPattern getFormatterForField (#203964) --- x-pack/plugins/lens/public/data_views_service/loader.ts | 6 ++++++ x-pack/plugins/lens/public/data_views_service/mocks.ts | 1 + .../lens/public/datasources/form_based/datapanel.test.tsx | 2 ++ .../form_based/dimension_panel/dimension_panel.test.tsx | 2 ++ .../form_based/dimension_panel/droppable/mocks.ts | 2 ++ .../lens/public/datasources/form_based/form_based.test.ts | 3 +++ .../datasources/form_based/form_based_suggestions.test.tsx | 7 +++++++ .../lens/public/datasources/form_based/layerpanel.test.tsx | 3 +++ x-pack/plugins/lens/public/datasources/form_based/mocks.ts | 4 ++++ .../datasources/form_based/operations/definitions.test.ts | 1 + .../operations/definitions/date_histogram.test.tsx | 4 ++++ .../operations/definitions/ranges/ranges.test.tsx | 1 + .../form_based/operations/layer_helpers.test.ts | 2 ++ .../datasources/form_based/operations/operations.test.ts | 1 + .../datasources/text_based/components/datapanel.test.tsx | 1 + .../datasources/text_based/text_based_languages.test.ts | 1 + .../initializers/initialize_actions.test.ts | 1 + x-pack/plugins/lens/public/types.ts | 3 +++ 18 files changed, 45 insertions(+) diff --git a/x-pack/plugins/lens/public/data_views_service/loader.ts b/x-pack/plugins/lens/public/data_views_service/loader.ts index 37c768de6ef8f..16468ff01a22d 100644 --- a/x-pack/plugins/lens/public/data_views_service/loader.ts +++ b/x-pack/plugins/lens/public/data_views_service/loader.ts @@ -72,6 +72,12 @@ export function convertDataViewIntoLensIndexPattern( ]) ), fields: newFields, + getFormatterForField(sourceField: string): unknown { + const dvField = dataView.getFieldByName(sourceField); + if (dvField) { + return dataView.getFormatterForField(dvField); + } + }, getFieldByName: getFieldByNameFactory(newFields), hasRestrictions: !!typeMeta?.aggs, spec: dataView.toSpec(false), diff --git a/x-pack/plugins/lens/public/data_views_service/mocks.ts b/x-pack/plugins/lens/public/data_views_service/mocks.ts index b4acacbe98b73..b5db98c16ec18 100644 --- a/x-pack/plugins/lens/public/data_views_service/mocks.ts +++ b/x-pack/plugins/lens/public/data_views_service/mocks.ts @@ -48,6 +48,7 @@ const indexPattern1 = { hasRestrictions: false, isPersisted: () => true, toSpec: () => ({}), + getFormatterForField: () => ({ convert: (v: unknown) => v }), fields: [ { name: 'timestamp', diff --git a/x-pack/plugins/lens/public/datasources/form_based/datapanel.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/datapanel.test.tsx index c8fec4184190d..9208b0f4f7f25 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/datapanel.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/datapanel.test.tsx @@ -165,6 +165,7 @@ const indexPatterns = { hasRestrictions: false, fields: fieldsOne, getFieldByName: getFieldByNameFactory(fieldsOne), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -175,6 +176,7 @@ const indexPatterns = { hasRestrictions: true, fields: fieldsTwo, getFieldByName: getFieldByNameFactory(fieldsTwo), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/dimension_panel.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/dimension_panel.test.tsx index aa6837a7e3393..ff08447f2a247 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/dimension_panel.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/dimension_panel.test.tsx @@ -150,6 +150,7 @@ const expectedIndexPatterns = { hasRestrictions: false, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -2377,6 +2378,7 @@ describe('FormBasedDimensionEditor', () => { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/droppable/mocks.ts b/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/droppable/mocks.ts index ceb16345f475c..4cf0171de9e0f 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/droppable/mocks.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/dimension_panel/droppable/mocks.ts @@ -77,6 +77,7 @@ export const mockDataViews = (): IndexPatternMap => { hasRestrictions: false, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -87,6 +88,7 @@ export const mockDataViews = (): IndexPatternMap => { timeFieldName: 'timestamp', fields: [fields[0]], getFieldByName: getFieldByNameFactory([fields[0]]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/form_based.test.ts b/x-pack/plugins/lens/public/datasources/form_based/form_based.test.ts index cd26abe0fdd86..77063a2e1a739 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/form_based.test.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/form_based.test.ts @@ -171,6 +171,7 @@ const expectedIndexPatterns = { hasRestrictions: false, fields: fieldsOne, getFieldByName: getFieldByNameFactory(fieldsOne), + getFormatterForField: () => ({ convert: (v: unknown) => v }), spec: {}, isPersisted: true, }, @@ -181,6 +182,7 @@ const expectedIndexPatterns = { hasRestrictions: true, fields: fieldsTwo, getFieldByName: getFieldByNameFactory(fieldsTwo), + getFormatterForField: () => ({ convert: (v: unknown) => v }), spec: {}, isPersisted: true, }, @@ -3032,6 +3034,7 @@ describe('IndexPattern Data Source', () => { hasRestrictions: false, fields: fieldsOne, getFieldByName: getFieldByNameFactory(fieldsOne), + getFormatterForField: () => ({ convert: (v: unknown) => v }), spec: {}, isPersisted: true, }; diff --git a/x-pack/plugins/lens/public/datasources/form_based/form_based_suggestions.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/form_based_suggestions.test.tsx index 0a0c0dcc05eeb..923c0c814c326 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/form_based_suggestions.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/form_based_suggestions.test.tsx @@ -156,6 +156,7 @@ const expectedIndexPatterns = { hasRestrictions: false, fields: fieldsOne, getFieldByName: getFieldByNameFactory(fieldsOne), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -166,6 +167,7 @@ const expectedIndexPatterns = { timeFieldName: 'timestamp', fields: fieldsTwo, getFieldByName: getFieldByNameFactory(fieldsTwo), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -420,6 +422,7 @@ describe('IndexPattern Data Source suggestions', () => { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -664,6 +667,7 @@ describe('IndexPattern Data Source suggestions', () => { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -2899,6 +2903,7 @@ describe('IndexPattern Data Source suggestions', () => { hasRestrictions: false, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -2996,6 +3001,7 @@ describe('IndexPattern Data Source suggestions', () => { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -3078,6 +3084,7 @@ describe('IndexPattern Data Source suggestions', () => { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/layerpanel.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/layerpanel.test.tsx index bbcecf15d2bd1..93902547dd603 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/layerpanel.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/layerpanel.test.tsx @@ -194,6 +194,7 @@ describe('Layer Data Panel', () => { hasRestrictions: false, fields: fieldsOne, getFieldByName: getFieldByNameFactory(fieldsOne), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -204,6 +205,7 @@ describe('Layer Data Panel', () => { timeFieldName: 'timestamp', fields: fieldsTwo, getFieldByName: getFieldByNameFactory(fieldsTwo), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, @@ -214,6 +216,7 @@ describe('Layer Data Panel', () => { hasRestrictions: false, fields: fieldsThree, getFieldByName: getFieldByNameFactory(fieldsThree), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/mocks.ts b/x-pack/plugins/lens/public/datasources/form_based/mocks.ts index f98107eebbcca..f625c8b192d66 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/mocks.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/mocks.ts @@ -94,6 +94,7 @@ export const createMockedIndexPattern = ( hasRestrictions: false, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, ...someProps, @@ -128,6 +129,7 @@ export const createMockedRestrictedIndexPattern = () => { fieldFormatMap: { bytes: { id: 'bytes', params: { pattern: '0.0' } } }, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, typeMeta: { @@ -188,6 +190,7 @@ export const createMockedIndexPatternWithoutType = ( ...otherIndexPatternProps, fields: filteredFields, getFieldByName: getFieldByNameFactory(filteredFields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), }; }; @@ -200,5 +203,6 @@ export const createMockedIndexPatternWithAdditionalFields = ( ...otherIndexPatternProps, fields: completeFields, getFieldByName: getFieldByNameFactory(completeFields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), }; }; diff --git a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions.test.ts b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions.test.ts index 3dc58b7f1ef6c..94b406039284c 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions.test.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions.test.ts @@ -76,6 +76,7 @@ const indexPattern = { hasRestrictions: false, fields: indexPatternFields, getFieldByName: getFieldByNameFactory([...indexPatternFields]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }; diff --git a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/date_histogram.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/date_histogram.test.tsx index fb1c95f57a8f3..0a49a10ada25f 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/date_histogram.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/date_histogram.test.tsx @@ -60,6 +60,7 @@ const indexPattern1: IndexPattern = { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }; @@ -88,6 +89,7 @@ const indexPattern2: IndexPattern = { searchable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }; @@ -248,6 +250,7 @@ describe('date_histogram', () => { }, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), }, layer, uiSettingsMock, @@ -709,6 +712,7 @@ describe('date_histogram', () => { }, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), }; const instance = shallow( diff --git a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/ranges/ranges.test.tsx b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/ranges/ranges.test.tsx index 8bf71089b21e0..a7c6e436dcfab 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/ranges/ranges.test.tsx +++ b/x-pack/plugins/lens/public/datasources/form_based/operations/definitions/ranges/ranges.test.tsx @@ -116,6 +116,7 @@ const defaultOptions = { aggregatable: true, }, ]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/form_based/operations/layer_helpers.test.ts b/x-pack/plugins/lens/public/datasources/form_based/operations/layer_helpers.test.ts index 11ea2a7b18414..a7aafc0c272d7 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/operations/layer_helpers.test.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/operations/layer_helpers.test.ts @@ -111,6 +111,7 @@ const indexPattern = { hasRestrictions: false, fields: indexPatternFields, getFieldByName: getFieldByNameFactory([...indexPatternFields, documentField]), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }; @@ -2902,6 +2903,7 @@ describe('state_helpers', () => { title: '', hasRestrictions: true, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), fields, isPersisted: true, spec: {}, diff --git a/x-pack/plugins/lens/public/datasources/form_based/operations/operations.test.ts b/x-pack/plugins/lens/public/datasources/form_based/operations/operations.test.ts index 1f6f041b4eee2..fa9063183eb9d 100644 --- a/x-pack/plugins/lens/public/datasources/form_based/operations/operations.test.ts +++ b/x-pack/plugins/lens/public/datasources/form_based/operations/operations.test.ts @@ -42,6 +42,7 @@ const expectedIndexPatterns = { hasRestrictions: false, fields, getFieldByName: getFieldByNameFactory(fields), + getFormatterForField: () => ({ convert: (v: unknown) => v }), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/text_based/components/datapanel.test.tsx b/x-pack/plugins/lens/public/datasources/text_based/components/datapanel.test.tsx index 878abc2e7f66a..f66ef72296b13 100644 --- a/x-pack/plugins/lens/public/datasources/text_based/components/datapanel.test.tsx +++ b/x-pack/plugins/lens/public/datasources/text_based/components/datapanel.test.tsx @@ -144,6 +144,7 @@ describe('TextBased Query Languages Data Panel', () => { hasRestrictions: false, fields: fieldsOne, getFieldByName: jest.fn(), + getFormatterForField: jest.fn(), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/datasources/text_based/text_based_languages.test.ts b/x-pack/plugins/lens/public/datasources/text_based/text_based_languages.test.ts index ab96f6d802a97..7c2d546587c3e 100644 --- a/x-pack/plugins/lens/public/datasources/text_based/text_based_languages.test.ts +++ b/x-pack/plugins/lens/public/datasources/text_based/text_based_languages.test.ts @@ -69,6 +69,7 @@ const expectedIndexPatterns = { hasRestrictions: false, fields: fieldsOne, getFieldByName: jest.fn(), + getFormatterForField: jest.fn(), spec: {}, isPersisted: true, }, diff --git a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_actions.test.ts b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_actions.test.ts index d7a073f10e024..ae2e170e5422f 100644 --- a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_actions.test.ts +++ b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_actions.test.ts @@ -109,6 +109,7 @@ describe('Dashboard actions', () => { }, ], getFieldByName: jest.fn(), + getFormatterForField: jest.fn(), isPersisted: true, spec: {}, }, diff --git a/x-pack/plugins/lens/public/types.ts b/x-pack/plugins/lens/public/types.ts index 9b44a951cfcd6..4aff41450df4c 100644 --- a/x-pack/plugins/lens/public/types.ts +++ b/x-pack/plugins/lens/public/types.ts @@ -83,6 +83,9 @@ export interface IndexPatternRef { } export interface IndexPattern { + getFormatterForField( // used extensively in lens + sourceField: string + ): unknown; id: string; fields: IndexPatternField[]; getFieldByName(name: string): IndexPatternField | undefined; From b80980694a30f957fbd97dc57f16334daf59850d Mon Sep 17 00:00:00 2001 From: Catherine Liu Date: Thu, 19 Dec 2024 10:12:09 -0800 Subject: [PATCH 08/31] [Embeddable] EUI Visual Refresh Integration (#204452) ## Summary Related to https://github.com/elastic/kibana/issues/203132. Part of [#204596](https://github.com/elastic/kibana/issues/204596). This replaces all references to euiThemeVars in favor of the useEuiTheme hook. ### Checklist Check the PR satisfies following conditions. Reviewers should verify this PR satisfies this list as well. - [ ] Any text added follows [EUI's writing guidelines](https://elastic.github.io/eui/#/guidelines/writing), uses sentence case text and includes [i18n support](https://github.com/elastic/kibana/blob/main/packages/kbn-i18n/README.md) - [ ] [Documentation](https://www.elastic.co/guide/en/kibana/master/development-documentation.html) was added for features that require explanation or tutorials - [ ] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios - [ ] If a plugin configuration key changed, check if it needs to be allowlisted in the cloud and added to the [docker list](https://github.com/elastic/kibana/blob/main/src/dev/build/tasks/os_packages/docker_generator/resources/base/bin/kibana-docker) - [ ] This was checked for breaking HTTP API changes, and any breaking changes have been approved by the breaking-change committee. The `release_note:breaking` label should be applied in these situations. - [ ] [Flaky Test Runner](https://ci-stats.kibana.dev/trigger_flaky_test_runner/1) was used on any tests changed - [ ] The PR description includes the appropriate Release Notes section, and the correct `release_note:*` label is applied per the [guidelines](https://www.elastic.co/guide/en/kibana/master/contributing.html#kibana-release-notes-process) ### Identify risks Does this PR introduce any risks? For example, consider risks like hard to test bugs, performance regression, potential of data loss. Describe the risk, its severity, and mitigation for each identified risk. Invite stakeholders and evaluate how to proceed before merging. - [ ] [See some risk examples](https://github.com/elastic/kibana/blob/main/RISK_MATRIX.mdx) - [ ] ... --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> Co-authored-by: Elastic Machine --- .../eui_markdown/eui_markdown_react_embeddable.tsx | 6 +++--- .../field_list/field_list_react_embeddable.tsx | 6 +++--- .../saved_book/saved_book_react_embeddable.tsx | 14 +++++++++++--- .../search/search_react_embeddable.tsx | 6 +++--- examples/embeddable_examples/tsconfig.json | 1 - 5 files changed, 20 insertions(+), 13 deletions(-) diff --git a/examples/embeddable_examples/public/react_embeddables/eui_markdown/eui_markdown_react_embeddable.tsx b/examples/embeddable_examples/public/react_embeddables/eui_markdown/eui_markdown_react_embeddable.tsx index 2ad9cd639a223..7c262d744a55e 100644 --- a/examples/embeddable_examples/public/react_embeddables/eui_markdown/eui_markdown_react_embeddable.tsx +++ b/examples/embeddable_examples/public/react_embeddables/eui_markdown/eui_markdown_react_embeddable.tsx @@ -7,7 +7,7 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { EuiMarkdownEditor, EuiMarkdownFormat } from '@elastic/eui'; +import { EuiMarkdownEditor, EuiMarkdownFormat, useEuiTheme } from '@elastic/eui'; import { css } from '@emotion/react'; import { ReactEmbeddableFactory } from '@kbn/embeddable-plugin/public'; import { i18n } from '@kbn/i18n'; @@ -16,7 +16,6 @@ import { useInheritedViewMode, useStateFromPublishingSubject, } from '@kbn/presentation-publishing'; -import { euiThemeVars } from '@kbn/ui-theme'; import React from 'react'; import { BehaviorSubject } from 'rxjs'; import { EUI_MARKDOWN_ID } from './constants'; @@ -80,6 +79,7 @@ export const markdownEmbeddableFactory: ReactEmbeddableFactory< // get state for rendering const content = useStateFromPublishingSubject(content$); const viewMode = useInheritedViewMode(api) ?? 'view'; + const { euiTheme } = useEuiTheme(); return viewMode === 'edit' ? ( {content ?? ''} diff --git a/examples/embeddable_examples/public/react_embeddables/field_list/field_list_react_embeddable.tsx b/examples/embeddable_examples/public/react_embeddables/field_list/field_list_react_embeddable.tsx index c6b13d2419971..c88219d1fafc3 100644 --- a/examples/embeddable_examples/public/react_embeddables/field_list/field_list_react_embeddable.tsx +++ b/examples/embeddable_examples/public/react_embeddables/field_list/field_list_react_embeddable.tsx @@ -7,7 +7,7 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { EuiFlexGroup, EuiFlexItem } from '@elastic/eui'; +import { EuiFlexGroup, EuiFlexItem, useEuiTheme } from '@elastic/eui'; import { css } from '@emotion/react'; import type { Reference } from '@kbn/content-management-utils'; import { CoreStart } from '@kbn/core-lifecycle-browser'; @@ -17,7 +17,6 @@ import { ReactEmbeddableFactory } from '@kbn/embeddable-plugin/public'; import { i18n } from '@kbn/i18n'; import { initializeTitles, useBatchedPublishingSubjects } from '@kbn/presentation-publishing'; import { LazyDataViewPicker, withSuspense } from '@kbn/presentation-util-plugin/public'; -import { euiThemeVars } from '@kbn/ui-theme'; import { UnifiedFieldListSidebarContainer, type UnifiedFieldListSidebarContainerProps, @@ -150,6 +149,7 @@ export const getFieldListFactory = ( dataViews$, selectedFieldNames$ ); + const { euiTheme } = useEuiTheme(); const selectedDataView = renderDataViews?.[0]; @@ -165,7 +165,7 @@ export const getFieldListFactory = ( { bookAttributesManager.bookTitle, bookAttributesManager.bookSynopsis ); + const { euiTheme } = useEuiTheme(); return (
{ )}
{ api, Component: () => { const [count, error] = useBatchedPublishingSubjects(count$, blockingError$); + const { euiTheme } = useEuiTheme(); useEffect(() => { return () => { @@ -138,7 +138,7 @@ export const getSearchEmbeddableFactory = (services: Services) => {
Date: Thu, 19 Dec 2024 11:19:48 -0700 Subject: [PATCH 09/31] [embeddable] remove embeddable factory methods from setup and start API (#204797) Part of embeddable rebuild cleanup. PR removes legacy embeddable factory registration APIs. --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> Co-authored-by: Elastic Machine --- .../add_new_panel/use_get_dashboard_panels.ts | 11 +- .../top_nav/editor_menu.test.tsx | 7 +- .../public/services/kibana_services.ts | 2 +- src/plugins/embeddable/common/lib/extract.ts | 2 +- src/plugins/embeddable/common/lib/inject.ts | 2 +- src/plugins/embeddable/common/lib/migrate.ts | 2 +- .../embeddable/common/lib/telemetry.ts | 2 +- src/plugins/embeddable/common/types.ts | 2 +- .../public/__snapshots__/plugin.test.ts.snap | 8 - .../add_from_library_flyout.tsx | 8 +- .../public/enhancements/registry.ts | 51 +++++ .../embeddable/public/enhancements/types.ts | 21 ++ src/plugins/embeddable/public/index.ts | 17 +- .../embeddable/public/kibana_services.ts | 2 +- .../default_embeddable_factory_provider.ts | 65 ------ .../lib/embeddables/embeddable_factory.ts | 153 ------------- .../embeddable_factory_definition.ts | 44 ---- .../public/lib/embeddables/index.ts | 3 - .../embeddable/public/lib/errors.test.ts | 14 +- src/plugins/embeddable/public/lib/errors.ts | 15 -- .../run_factory_migrations.test.ts | 77 ------- .../run_factory_migrations.ts | 47 ---- src/plugins/embeddable/public/lib/index.ts | 1 - src/plugins/embeddable/public/mocks.tsx | 15 +- src/plugins/embeddable/public/plugin.test.ts | 98 -------- src/plugins/embeddable/public/plugin.tsx | 215 ++---------------- .../embeddable/public/tests/test_plugin.ts | 3 +- src/plugins/embeddable/public/types.ts | 83 ++++--- .../translations/translations/fr-FR.json | 1 - .../translations/translations/ja-JP.json | 1 - .../translations/translations/zh-CN.json | 1 - .../canvas/common/lib/embeddable_dataurl.ts | 7 +- .../__stories__/editor_menu.stories.tsx | 47 ---- .../editor_menu/editor_menu.component.tsx | 79 +------ .../editor_menu/editor_menu.tsx | 75 +----- .../canvas/public/services/kibana_services.ts | 2 +- .../embeddables/profiling_embeddable.tsx | 59 ----- .../public/application/application.test.tsx | 12 +- 38 files changed, 172 insertions(+), 1082 deletions(-) delete mode 100644 src/plugins/embeddable/public/__snapshots__/plugin.test.ts.snap create mode 100644 src/plugins/embeddable/public/enhancements/registry.ts create mode 100644 src/plugins/embeddable/public/enhancements/types.ts delete mode 100644 src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts delete mode 100644 src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts delete mode 100644 src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts delete mode 100644 src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.test.ts delete mode 100644 src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts delete mode 100644 x-pack/plugins/observability_solution/observability_shared/public/components/profiling/embeddables/profiling_embeddable.tsx diff --git a/src/plugins/dashboard/public/dashboard_app/top_nav/add_new_panel/use_get_dashboard_panels.ts b/src/plugins/dashboard/public/dashboard_app/top_nav/add_new_panel/use_get_dashboard_panels.ts index d074bcb98bd18..4556991816c99 100644 --- a/src/plugins/dashboard/public/dashboard_app/top_nav/add_new_panel/use_get_dashboard_panels.ts +++ b/src/plugins/dashboard/public/dashboard_app/top_nav/add_new_panel/use_get_dashboard_panels.ts @@ -10,8 +10,7 @@ import { useCallback, useMemo, useRef } from 'react'; import { AsyncSubject, defer, from, lastValueFrom, map, type Subscription } from 'rxjs'; -import type { IconType } from '@elastic/eui'; -import { COMMON_EMBEDDABLE_GROUPING, EmbeddableFactory } from '@kbn/embeddable-plugin/public'; +import { COMMON_EMBEDDABLE_GROUPING } from '@kbn/embeddable-plugin/public'; import { PresentationContainer } from '@kbn/presentation-containers'; import { ADD_PANEL_TRIGGER } from '@kbn/ui-actions-plugin/public'; import { VisGroups, type BaseVisType, type VisTypeAlias } from '@kbn/visualizations-plugin/public'; @@ -28,14 +27,6 @@ interface UseGetDashboardPanelsArgs { createNewVisType: (visType: BaseVisType | VisTypeAlias) => () => void; } -export interface FactoryGroup { - id: string; - appName: string; - icon?: IconType; - factories: EmbeddableFactory[]; - order: number; -} - const sortGroupPanelsByOrder = (panelGroups: T[]): T[] => { return panelGroups.sort( // larger number sorted to the top diff --git a/src/plugins/dashboard/public/dashboard_app/top_nav/editor_menu.test.tsx b/src/plugins/dashboard/public/dashboard_app/top_nav/editor_menu.test.tsx index e1bbef897d538..f82ad60929f24 100644 --- a/src/plugins/dashboard/public/dashboard_app/top_nav/editor_menu.test.tsx +++ b/src/plugins/dashboard/public/dashboard_app/top_nav/editor_menu.test.tsx @@ -13,13 +13,8 @@ import { buildMockDashboardApi } from '../../mocks'; import { EditorMenu } from './editor_menu'; import { DashboardContext } from '../../dashboard_api/use_dashboard_api'; -import { - embeddableService, - uiActionsService, - visualizationsService, -} from '../../services/kibana_services'; +import { uiActionsService, visualizationsService } from '../../services/kibana_services'; -jest.spyOn(embeddableService, 'getEmbeddableFactories').mockReturnValue(new Map().values()); jest.spyOn(uiActionsService, 'getTriggerCompatibleActions').mockResolvedValue([]); jest.spyOn(visualizationsService, 'getByGroup').mockReturnValue([]); jest.spyOn(visualizationsService, 'getAliases').mockReturnValue([]); diff --git a/src/plugins/dashboard/public/services/kibana_services.ts b/src/plugins/dashboard/public/services/kibana_services.ts index e3fde8c37c2a9..f7fe132ff7a38 100644 --- a/src/plugins/dashboard/public/services/kibana_services.ts +++ b/src/plugins/dashboard/public/services/kibana_services.ts @@ -13,7 +13,7 @@ import type { ContentManagementPublicStart } from '@kbn/content-management-plugi import type { CoreStart } from '@kbn/core/public'; import type { DataPublicPluginStart } from '@kbn/data-plugin/public'; import type { DataViewEditorStart } from '@kbn/data-view-editor-plugin/public'; -import type { EmbeddableStart } from '@kbn/embeddable-plugin/public/plugin'; +import type { EmbeddableStart } from '@kbn/embeddable-plugin/public'; import type { FieldFormatsStart } from '@kbn/field-formats-plugin/public/plugin'; import type { NavigationPublicPluginStart } from '@kbn/navigation-plugin/public'; import type { NoDataPagePluginStart } from '@kbn/no-data-page-plugin/public'; diff --git a/src/plugins/embeddable/common/lib/extract.ts b/src/plugins/embeddable/common/lib/extract.ts index f922ca3322236..5c7964dfed65b 100644 --- a/src/plugins/embeddable/common/lib/extract.ts +++ b/src/plugins/embeddable/common/lib/extract.ts @@ -14,7 +14,7 @@ import { extractBaseEmbeddableInput } from './migrate_base_input'; export const getExtractFunction = (embeddables: CommonEmbeddableStartContract) => { return (state: EmbeddableStateWithType) => { const enhancements = state.enhancements || {}; - const factory = embeddables.getEmbeddableFactory(state.type); + const factory = embeddables.getEmbeddableFactory?.(state.type); const baseResponse = extractBaseEmbeddableInput(state); let updatedInput = baseResponse.state; diff --git a/src/plugins/embeddable/common/lib/inject.ts b/src/plugins/embeddable/common/lib/inject.ts index 07acdd82d0a74..8435827df2555 100644 --- a/src/plugins/embeddable/common/lib/inject.ts +++ b/src/plugins/embeddable/common/lib/inject.ts @@ -15,7 +15,7 @@ import { injectBaseEmbeddableInput } from './migrate_base_input'; export const getInjectFunction = (embeddables: CommonEmbeddableStartContract) => { return (state: EmbeddableStateWithType, references: SavedObjectReference[]) => { const enhancements = state.enhancements || {}; - const factory = embeddables.getEmbeddableFactory(state.type); + const factory = embeddables.getEmbeddableFactory?.(state.type); let updatedInput = injectBaseEmbeddableInput(state, references); diff --git a/src/plugins/embeddable/common/lib/migrate.ts b/src/plugins/embeddable/common/lib/migrate.ts index 37a3678bc412c..cb1c7e3d32c68 100644 --- a/src/plugins/embeddable/common/lib/migrate.ts +++ b/src/plugins/embeddable/common/lib/migrate.ts @@ -16,7 +16,7 @@ export type MigrateFunction = (state: SerializableRecord, version: string) => Se export const getMigrateFunction = (embeddables: CommonEmbeddableStartContract) => { const migrateFn: MigrateFunction = (state: SerializableRecord, version: string) => { const enhancements = (state.enhancements as SerializableRecord) || {}; - const factory = embeddables.getEmbeddableFactory(state.type as string); + const factory = embeddables.getEmbeddableFactory?.(state.type as string); let updatedInput = baseEmbeddableMigrations[version] ? baseEmbeddableMigrations[version](state) diff --git a/src/plugins/embeddable/common/lib/telemetry.ts b/src/plugins/embeddable/common/lib/telemetry.ts index ea747d210166e..757ad762f350d 100644 --- a/src/plugins/embeddable/common/lib/telemetry.ts +++ b/src/plugins/embeddable/common/lib/telemetry.ts @@ -17,7 +17,7 @@ export const getTelemetryFunction = (embeddables: CommonEmbeddableStartContract) telemetryData: Record = {} ) => { const enhancements = state.enhancements || {}; - const factory = embeddables.getEmbeddableFactory(state.type); + const factory = embeddables.getEmbeddableFactory?.(state.type); let outputTelemetryData = telemetryBaseEmbeddableInput(state, telemetryData); if (factory) { diff --git a/src/plugins/embeddable/common/types.ts b/src/plugins/embeddable/common/types.ts index 951ecd9026ded..85bf9b59bfbe6 100644 --- a/src/plugins/embeddable/common/types.ts +++ b/src/plugins/embeddable/common/types.ts @@ -97,7 +97,7 @@ export interface EmbeddableRegistryDefinition< export type EmbeddablePersistableStateService = PersistableStateService; export interface CommonEmbeddableStartContract { - getEmbeddableFactory: ( + getEmbeddableFactory?: ( embeddableFactoryId: string ) => PersistableState & { isContainerType: boolean }; getEnhancement: (enhancementId: string) => PersistableState; diff --git a/src/plugins/embeddable/public/__snapshots__/plugin.test.ts.snap b/src/plugins/embeddable/public/__snapshots__/plugin.test.ts.snap deleted file mode 100644 index 6ef25188283e5..0000000000000 --- a/src/plugins/embeddable/public/__snapshots__/plugin.test.ts.snap +++ /dev/null @@ -1,8 +0,0 @@ -// Jest Snapshot v1, https://goo.gl/fbAQLP - -exports[`embeddable factory migrateToLatest returns list of all migrations 1`] = ` -Object { - "7.11.0": [Function], - "7.12.0": [Function], -} -`; diff --git a/src/plugins/embeddable/public/add_from_library/add_from_library_flyout.tsx b/src/plugins/embeddable/public/add_from_library/add_from_library_flyout.tsx index 3f68e5c2c08ab..eed7226a029ff 100644 --- a/src/plugins/embeddable/public/add_from_library/add_from_library_flyout.tsx +++ b/src/plugins/embeddable/public/add_from_library/add_from_library_flyout.tsx @@ -27,7 +27,6 @@ import { contentManagement, usageCollection, } from '../kibana_services'; -import { EmbeddableFactoryNotFoundError } from '../lib'; import { getAddFromLibraryType, useAddFromLibraryTypes } from './registry'; const runAddTelemetry = ( @@ -61,7 +60,12 @@ export const AddFromLibraryFlyout = ({ ) => { const libraryType = getAddFromLibraryType(type); if (!libraryType) { - core.notifications.toasts.addWarning(new EmbeddableFactoryNotFoundError(type).message); + core.notifications.toasts.addWarning( + i18n.translate('embeddableApi.addPanel.typeNotFound', { + defaultMessage: 'Unable to load type: {type}', + values: { type }, + }) + ); return; } diff --git a/src/plugins/embeddable/public/enhancements/registry.ts b/src/plugins/embeddable/public/enhancements/registry.ts new file mode 100644 index 0000000000000..8fbd155e5c57a --- /dev/null +++ b/src/plugins/embeddable/public/enhancements/registry.ts @@ -0,0 +1,51 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { identity } from 'lodash'; +import { SerializableRecord } from '@kbn/utility-types'; +import { EnhancementRegistryDefinition, EnhancementRegistryItem } from './types'; + +export class EnhancementsRegistry { + private registry: Map = new Map(); + + public registerEnhancement = (enhancement: EnhancementRegistryDefinition) => { + if (this.registry.has(enhancement.id)) { + throw new Error(`enhancement with id ${enhancement.id} already exists in the registry`); + } + this.registry.set(enhancement.id, { + id: enhancement.id, + telemetry: enhancement.telemetry || ((state, stats) => stats), + inject: enhancement.inject || identity, + extract: + enhancement.extract || + ((state: SerializableRecord) => { + return { state, references: [] }; + }), + migrations: enhancement.migrations || {}, + }); + }; + + public getEnhancements = (): EnhancementRegistryItem[] => { + return Array.from(this.registry.values()); + }; + + public getEnhancement = (id: string): EnhancementRegistryItem => { + return ( + this.registry.get(id) || { + id: 'unknown', + telemetry: (state, stats) => stats, + inject: identity, + extract: (state: SerializableRecord) => { + return { state, references: [] }; + }, + migrations: {}, + } + ); + }; +} diff --git a/src/plugins/embeddable/public/enhancements/types.ts b/src/plugins/embeddable/public/enhancements/types.ts new file mode 100644 index 0000000000000..289772bef9cec --- /dev/null +++ b/src/plugins/embeddable/public/enhancements/types.ts @@ -0,0 +1,21 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import type { SerializableRecord } from '@kbn/utility-types'; +import { PersistableState, PersistableStateDefinition } from '@kbn/kibana-utils-plugin/common'; + +export interface EnhancementRegistryDefinition

+ extends PersistableStateDefinition

{ + id: string; +} + +export interface EnhancementRegistryItem

+ extends PersistableState

{ + id: string; +} diff --git a/src/plugins/embeddable/public/index.ts b/src/plugins/embeddable/public/index.ts index 2cc322940a77b..4ec1c43df2dbb 100644 --- a/src/plugins/embeddable/public/index.ts +++ b/src/plugins/embeddable/public/index.ts @@ -17,13 +17,10 @@ export { CELL_VALUE_TRIGGER, contextMenuTrigger, CONTEXT_MENU_TRIGGER, - defaultEmbeddableFactoryProvider, Embeddable, - EmbeddableFactoryNotFoundError, EmbeddableStateTransfer, ErrorEmbeddable, isContextMenuTriggerContext, - isExplicitInputWithAttributes, isMultiValueClickTriggerContext, isRangeSelectTriggerContext, isRowClickTriggerContext, @@ -37,7 +34,6 @@ export { PANEL_BADGE_TRIGGER, PANEL_HOVER_TRIGGER, PANEL_NOTIFICATION_TRIGGER, - runEmbeddableFactoryMigrations, SELECT_RANGE_TRIGGER, VALUE_CLICK_TRIGGER, ViewMode, @@ -47,26 +43,17 @@ export type { ChartActionContext, EmbeddableContext, EmbeddableEditorState, - EmbeddableFactory, - EmbeddableFactoryDefinition, EmbeddableInput, - EmbeddableInstanceConfiguration, EmbeddableOutput, EmbeddablePackageState, IEmbeddable, MultiValueClickContext, - OutputSpec, PropertySpec, RangeSelectContext, ValueClickContext, } from './lib'; -export type { - EmbeddableSetup, - EmbeddableSetupDependencies, - EmbeddableStart, - EmbeddableStartDependencies, -} from './plugin'; -export type { EnhancementRegistryDefinition } from './types'; +export type { EmbeddableSetup, EmbeddableStart } from './types'; +export type { EnhancementRegistryDefinition } from './enhancements/types'; export { ReactEmbeddableRenderer, diff --git a/src/plugins/embeddable/public/kibana_services.ts b/src/plugins/embeddable/public/kibana_services.ts index c7fe839c1dd0e..51dc61599d7a8 100644 --- a/src/plugins/embeddable/public/kibana_services.ts +++ b/src/plugins/embeddable/public/kibana_services.ts @@ -11,7 +11,7 @@ import { BehaviorSubject } from 'rxjs'; import { CoreStart } from '@kbn/core/public'; -import { EmbeddableStart, EmbeddableStartDependencies } from '.'; +import { EmbeddableStart, EmbeddableStartDependencies } from './types'; export let core: CoreStart; export let embeddableStart: EmbeddableStart; diff --git a/src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts b/src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts deleted file mode 100644 index 13baf96962a3a..0000000000000 --- a/src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts +++ /dev/null @@ -1,65 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { SavedObjectAttributes } from '@kbn/core/public'; -import type { FinderAttributes } from '@kbn/saved-objects-finder-plugin/common'; -import { EmbeddableFactory } from './embeddable_factory'; -import { EmbeddableStateWithType } from '../../../common/types'; -import { EmbeddableFactoryDefinition } from './embeddable_factory_definition'; -import { EmbeddableInput, EmbeddableOutput, IEmbeddable } from './i_embeddable'; -import { runEmbeddableFactoryMigrations } from '../factory_migrations/run_factory_migrations'; - -export const defaultEmbeddableFactoryProvider = < - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable, - T extends FinderAttributes = SavedObjectAttributes ->( - def: EmbeddableFactoryDefinition -): EmbeddableFactory => { - if (def.migrations && !def.latestVersion) { - throw new Error( - 'To run clientside Embeddable migrations a latest version key is required on the factory' - ); - } - - const factory: EmbeddableFactory = { - ...def, - latestVersion: def.latestVersion, - isContainerType: def.isContainerType ?? false, - canCreateNew: def.canCreateNew ? def.canCreateNew.bind(def) : () => true, - getDefaultInput: def.getDefaultInput ? def.getDefaultInput.bind(def) : () => ({}), - getExplicitInput: def.getExplicitInput - ? def.getExplicitInput.bind(def) - : () => Promise.resolve({}), - createFromSavedObject: def.createFromSavedObject - ? def.createFromSavedObject.bind(def) - : (savedObjectId: string, input: Partial, parent?: unknown) => { - throw new Error(`Creation from saved object not supported by type ${def.type}`); - }, - create: (...args) => { - const [initialInput, ...otherArgs] = args; - const { input } = runEmbeddableFactoryMigrations(initialInput, def); - const createdEmbeddable = def.create.bind(def)(input as I, ...otherArgs); - return createdEmbeddable; - }, - type: def.type, - isEditable: def.isEditable.bind(def), - getDisplayName: def.getDisplayName.bind(def), - getDescription: def.getDescription ? def.getDescription.bind(def) : () => '', - getIconType: def.getIconType ? def.getIconType.bind(def) : () => 'empty', - savedObjectMetaData: def.savedObjectMetaData, - telemetry: def.telemetry || ((state, stats) => stats), - inject: def.inject || ((state: EmbeddableStateWithType) => state), - extract: def.extract || ((state: EmbeddableStateWithType) => ({ state, references: [] })), - migrations: def.migrations || {}, - grouping: def.grouping, - }; - return factory; -}; diff --git a/src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts b/src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts deleted file mode 100644 index e363af639e252..0000000000000 --- a/src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts +++ /dev/null @@ -1,153 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import type { SavedObjectMetaData } from '@kbn/saved-objects-finder-plugin/public'; -import { PersistableState } from '@kbn/kibana-utils-plugin/common'; -import type { FinderAttributes } from '@kbn/saved-objects-finder-plugin/common'; -import { UiActionsPresentableGrouping } from '@kbn/ui-actions-plugin/public'; -import { EmbeddableInput, EmbeddableOutput, IEmbeddable } from './i_embeddable'; -import { ErrorEmbeddable } from './error_embeddable'; -import { PropertySpec } from '../types'; -import { EmbeddableStateWithType } from '../../../common/types'; - -export interface EmbeddableInstanceConfiguration { - id: string; - savedObjectId?: string; -} - -export interface OutputSpec { - [key: string]: PropertySpec; -} - -export interface ExplicitInputWithAttributes { - newInput: Partial; - attributes?: unknown; -} - -export const isExplicitInputWithAttributes = ( - value: ExplicitInputWithAttributes | Partial -): value is ExplicitInputWithAttributes => { - return Boolean((value as ExplicitInputWithAttributes).newInput); -}; - -/** - * EmbeddableFactories create and initialize an embeddable instance - */ -export interface EmbeddableFactory< - TEmbeddableInput extends EmbeddableInput = EmbeddableInput, - TEmbeddableOutput extends EmbeddableOutput = EmbeddableOutput, - TEmbeddable extends IEmbeddable = IEmbeddable< - TEmbeddableInput, - TEmbeddableOutput - >, - TSavedObjectAttributes extends FinderAttributes = FinderAttributes -> extends PersistableState { - /** - * The version of this Embeddable factory. This will be used in the client side migration system - * to ensure that input from any source is compatible with the latest version of this embeddable. - * If the latest version is not defined, all clientside migrations will be skipped. If migrations - * are added to this factory but a latestVersion is not set, an error will be thrown on server start - */ - readonly latestVersion?: string; - - // A unique identified for this factory, which will be used to map an embeddable spec to - // a factory that can generate an instance of it. - readonly type: string; - - /** - * Returns whether the current user should be allowed to edit this type of - * embeddable. Most of the time this should be based off the capabilities service, hence it's async. - */ - readonly isEditable: () => Promise; - - readonly savedObjectMetaData?: SavedObjectMetaData; - - /** - * Indicates the grouping this factory should appear in a sub-menu. Example, this is used for grouping - * options in the editors menu in Dashboard for creating new embeddables - */ - readonly grouping?: UiActionsPresentableGrouping; - - /** - * True if is this factory create embeddables that are Containers. Used in the add panel to - * conditionally show whether these can be added to another container. It's just not - * supported right now, but once nested containers are officially supported we can probably get - * rid of this interface. - */ - readonly isContainerType: boolean; - - /** - * Returns a display name for this type of embeddable. Used in "Create new... " options - * in the add panel for containers. - */ - getDisplayName(): string; - - /** - * Returns an EUI Icon type to be displayed in a menu. - */ - getIconType(): string; - - /** - * Returns a description about the embeddable. - */ - getDescription(): string; - - /** - * If false, this type of embeddable can't be created with the "createNew" functionality. Instead, - * use createFromSavedObject, where an existing saved object must first exist. - */ - canCreateNew(): boolean; - - /** - * Can be used to get the default input, to be passed in to during the creation process. Default - * input will not be stored in a parent container, so all inherited input from a container will trump - * default input parameters. - * @param partial - */ - getDefaultInput(partial: Partial): Partial; - - /** - * Can be used to request explicit input from the user, to be passed in to `EmbeddableFactory:create`. - * Explicit input is stored on the parent container for this embeddable. It overrides all inherited - * input passed down from the parent container. - * - * Can be used to edit an embeddable by re-requesting explicit input. Initial input can be provided to allow the editor to show the current state. - * - * If saved object information is needed for creation use-cases, getExplicitInput can also return an unknown typed attributes object which will be passed - * into the container's addNewEmbeddable function. - */ - getExplicitInput( - initialInput?: Partial, - parent?: unknown - ): Promise | ExplicitInputWithAttributes>; - - /** - * Creates a new embeddable instance based off the saved object id. - * @param savedObjectId - * @param input - some input may come from a parent, or user, if it's not stored with the saved object. For example, the time - * range of the parent container. - * @param parent - */ - createFromSavedObject( - savedObjectId: string, - input: Partial, - parent?: unknown - ): Promise; - - /** - * Creates an Embeddable instance, running the inital input through all registered migrations. Resolves to undefined if a new Embeddable - * cannot be directly created and the user will instead be redirected elsewhere. - */ - create( - initialInput: TEmbeddableInput, - parent?: unknown - ): Promise; - - order?: number; -} diff --git a/src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts b/src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts deleted file mode 100644 index e718bd4de9288..0000000000000 --- a/src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts +++ /dev/null @@ -1,44 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import type { FinderAttributes } from '@kbn/saved-objects-finder-plugin/common'; -import { IEmbeddable } from './i_embeddable'; -import { EmbeddableFactory } from './embeddable_factory'; -import { EmbeddableInput, EmbeddableOutput } from '..'; - -export type EmbeddableFactoryDefinition< - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable, - T extends FinderAttributes = FinderAttributes -> = - // Required parameters - Pick< - EmbeddableFactory, - 'create' | 'type' | 'latestVersion' | 'isEditable' | 'getDisplayName' - > & - // Optional parameters - Partial< - Pick< - EmbeddableFactory, - | 'createFromSavedObject' - | 'isContainerType' - | 'getExplicitInput' - | 'savedObjectMetaData' - | 'canCreateNew' - | 'getDefaultInput' - | 'telemetry' - | 'extract' - | 'inject' - | 'migrations' - | 'grouping' - | 'getIconType' - | 'getDescription' - > - >; diff --git a/src/plugins/embeddable/public/lib/embeddables/index.ts b/src/plugins/embeddable/public/lib/embeddables/index.ts index 16b4fb7413769..029a653a9f1c6 100644 --- a/src/plugins/embeddable/public/lib/embeddables/index.ts +++ b/src/plugins/embeddable/public/lib/embeddables/index.ts @@ -8,10 +8,7 @@ */ export * from '../../../common/lib/saved_object_embeddable'; -export * from './default_embeddable_factory_provider'; export { Embeddable } from './embeddable'; export { EmbeddableErrorHandler } from './embeddable_error_handler'; -export * from './embeddable_factory'; -export * from './embeddable_factory_definition'; export { ErrorEmbeddable } from './error_embeddable'; export type { EmbeddableInput, EmbeddableOutput, IEmbeddable } from './i_embeddable'; diff --git a/src/plugins/embeddable/public/lib/errors.test.ts b/src/plugins/embeddable/public/lib/errors.test.ts index 48c38b25c2621..ebac7371acd51 100644 --- a/src/plugins/embeddable/public/lib/errors.test.ts +++ b/src/plugins/embeddable/public/lib/errors.test.ts @@ -8,7 +8,7 @@ */ import { IncompatibleActionError } from '@kbn/ui-actions-plugin/public'; -import { PanelNotFoundError, EmbeddableFactoryNotFoundError } from './errors'; +import { PanelNotFoundError } from './errors'; describe('IncompatibleActionError', () => { test('is instance of error', () => { @@ -33,15 +33,3 @@ describe('PanelNotFoundError', () => { expect(error.code).toBe('PANEL_NOT_FOUND'); }); }); - -describe('EmbeddableFactoryNotFoundError', () => { - test('is instance of error', () => { - const error = new EmbeddableFactoryNotFoundError('type1'); - expect(error).toBeInstanceOf(Error); - }); - - test('has EMBEDDABLE_FACTORY_NOT_FOUND code', () => { - const error = new EmbeddableFactoryNotFoundError('type1'); - expect(error.code).toBe('EMBEDDABLE_FACTORY_NOT_FOUND'); - }); -}); diff --git a/src/plugins/embeddable/public/lib/errors.ts b/src/plugins/embeddable/public/lib/errors.ts index 0ee0cbc2868bb..79f61f7fbe471 100644 --- a/src/plugins/embeddable/public/lib/errors.ts +++ b/src/plugins/embeddable/public/lib/errors.ts @@ -33,18 +33,3 @@ export class PanelIncompatibleError extends Error { ); } } - -export class EmbeddableFactoryNotFoundError extends Error { - code = 'EMBEDDABLE_FACTORY_NOT_FOUND'; - - constructor(type: string) { - super( - i18n.translate('embeddableApi.errors.embeddableFactoryNotFound', { - defaultMessage: `{type} can't be loaded. Please upgrade to the default distribution of Elasticsearch and Kibana with the appropriate license.`, - values: { - type, - }, - }) - ); - } -} diff --git a/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.test.ts b/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.test.ts deleted file mode 100644 index aa94bc1695284..0000000000000 --- a/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.test.ts +++ /dev/null @@ -1,77 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { EmbeddableInput } from '../embeddables'; -import { runEmbeddableFactoryMigrations } from './run_factory_migrations'; - -describe('Run embeddable factory migrations', () => { - interface TestInputTypeVersion009 extends EmbeddableInput { - version: '0.0.9'; - keyThatAlwaysExists: string; - keyThatGetsRemoved: string; - } - interface TestInputTypeVersion100 extends EmbeddableInput { - version: '1.0.0'; - id: string; - keyThatAlwaysExists: string; - keyThatGetsAdded: string; - } - - const migrations = { - '1.0.0': (input: TestInputTypeVersion009): TestInputTypeVersion100 => { - const newInput: TestInputTypeVersion100 = { - id: input.id, - version: '1.0.0', - keyThatAlwaysExists: input.keyThatAlwaysExists, - keyThatGetsAdded: 'I just got born', - }; - return newInput; - }, - }; - - it('should return the initial input and migrationRun=false if the current version is the latest', () => { - const initialInput: TestInputTypeVersion100 = { - id: 'superId', - version: '1.0.0', - keyThatAlwaysExists: 'Inside Problems', - keyThatGetsAdded: 'Oh my - I just got born', - }; - - const factory = { - latestVersion: '1.0.0', - migrations, - }; - - const result = runEmbeddableFactoryMigrations(initialInput, factory); - - expect(result.input).toBe(initialInput); - expect(result.migrationRun).toBe(false); - }); - - it('should return migrated input and migrationRun=true if version does not match latestVersion', () => { - const initialInput: TestInputTypeVersion009 = { - id: 'superId', - version: '0.0.9', - keyThatAlwaysExists: 'Inside Problems', - keyThatGetsRemoved: 'juvenile plumage', - }; - - const factory = { - latestVersion: '1.0.0', - migrations, - }; - - const result = runEmbeddableFactoryMigrations(initialInput, factory); - - expect(result.migrationRun).toBe(true); - expect(result.input.version).toBe('1.0.0'); - expect((result.input as unknown as TestInputTypeVersion009).keyThatGetsRemoved).toBeUndefined(); - expect(result.input.keyThatGetsAdded).toEqual('I just got born'); - }); -}); diff --git a/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts b/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts deleted file mode 100644 index 45350dec95306..0000000000000 --- a/src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts +++ /dev/null @@ -1,47 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { cloneDeep } from 'lodash'; -import compare from 'semver/functions/compare'; - -import { migrateToLatest } from '@kbn/kibana-utils-plugin/common'; -import { EmbeddableFactory, EmbeddableInput } from '../embeddables'; - -/** - * A helper function that migrates an Embeddable Input to its latest version. Note that this function - * only runs the embeddable factory's migrations. - */ -export const runEmbeddableFactoryMigrations = ( - initialInput: { version?: string }, - factory: { migrations?: EmbeddableFactory['migrations']; latestVersion?: string } -): { input: ToType; migrationRun: boolean } => { - if (!factory.latestVersion) { - return { input: initialInput as unknown as ToType, migrationRun: false }; - } - - // any embeddable with no version set is considered to require all clientside migrations so we default to 0.0.0 - const inputVersion = initialInput.version ?? '0.0.0'; - const migrationRun = compare(inputVersion, factory.latestVersion, true) !== 0; - - // return early to avoid extra operations when there are no migrations to run. - if (!migrationRun) return { input: initialInput as unknown as ToType, migrationRun }; - - const factoryMigrations = - typeof factory?.migrations === 'function' ? factory?.migrations() : factory?.migrations || {}; - const migratedInput = migrateToLatest( - factoryMigrations ?? {}, - { - state: cloneDeep(initialInput), - version: inputVersion, - }, - true - ); - migratedInput.version = factory.latestVersion; - return { input: migratedInput as ToType, migrationRun }; -}; diff --git a/src/plugins/embeddable/public/lib/index.ts b/src/plugins/embeddable/public/lib/index.ts index 642af73713dc4..60f8a3638816d 100644 --- a/src/plugins/embeddable/public/lib/index.ts +++ b/src/plugins/embeddable/public/lib/index.ts @@ -12,4 +12,3 @@ export * from './embeddables'; export * from './types'; export * from './triggers'; export * from './state_transfer'; -export * from './factory_migrations/run_factory_migrations'; diff --git a/src/plugins/embeddable/public/mocks.tsx b/src/plugins/embeddable/public/mocks.tsx index 2208abd97e5d6..4adab25eea345 100644 --- a/src/plugins/embeddable/public/mocks.tsx +++ b/src/plugins/embeddable/public/mocks.tsx @@ -19,17 +19,17 @@ import { savedObjectsManagementPluginMock } from '@kbn/saved-objects-management- import { SavedObjectsTaggingApi } from '@kbn/saved-objects-tagging-oss-plugin/public'; import { uiActionsPluginMock } from '@kbn/ui-actions-plugin/public/mocks'; +import { EmbeddableStateTransfer } from '.'; +import { setKibanaServices } from './kibana_services'; +import { EmbeddablePublicPlugin } from './plugin'; +import { registerReactEmbeddableFactory } from './react_embeddable_system'; +import { registerAddFromLibraryType } from './add_from_library/registry'; import { EmbeddableSetup, EmbeddableSetupDependencies, EmbeddableStart, EmbeddableStartDependencies, - EmbeddableStateTransfer, -} from '.'; -import { setKibanaServices } from './kibana_services'; -import { EmbeddablePublicPlugin } from './plugin'; -import { registerReactEmbeddableFactory } from './react_embeddable_system'; -import { registerAddFromLibraryType } from './add_from_library/registry'; +} from './types'; export type Setup = jest.Mocked; export type Start = jest.Mocked; @@ -48,7 +48,6 @@ const createSetupContract = (): Setup => { const setupContract: Setup = { registerAddFromLibraryType: jest.fn().mockImplementation(registerAddFromLibraryType), registerReactEmbeddableFactory: jest.fn().mockImplementation(registerReactEmbeddableFactory), - registerEmbeddableFactory: jest.fn(), registerEnhancement: jest.fn(), }; return setupContract; @@ -56,8 +55,6 @@ const createSetupContract = (): Setup => { const createStartContract = (): Start => { const startContract: Start = { - getEmbeddableFactories: jest.fn(), - getEmbeddableFactory: jest.fn(), telemetry: jest.fn(), extract: jest.fn(), inject: jest.fn(), diff --git a/src/plugins/embeddable/public/plugin.test.ts b/src/plugins/embeddable/public/plugin.test.ts index 00a19f8e9f561..0b15d4afd034b 100644 --- a/src/plugins/embeddable/public/plugin.test.ts +++ b/src/plugins/embeddable/public/plugin.test.ts @@ -10,104 +10,6 @@ import { coreMock } from '@kbn/core/public/mocks'; import { testPlugin } from './tests/test_plugin'; -describe('embeddable factory', () => { - const coreSetup = coreMock.createSetup(); - const coreStart = coreMock.createStart(); - const { setup, doStart } = testPlugin(coreSetup, coreStart); - const start = doStart(); - const embeddableFactoryId = 'ID'; - const embeddableFactory = { - type: embeddableFactoryId, - create: jest.fn(), - getDisplayName: () => 'Test', - isEditable: () => Promise.resolve(true), - extract: jest.fn().mockImplementation((state) => ({ state, references: [] })), - inject: jest.fn().mockImplementation((state) => state), - telemetry: jest.fn().mockResolvedValue({}), - latestVersion: '7.11.0', - migrations: { '7.11.0': jest.fn().mockImplementation((state) => state) }, - } as any; - const embeddableState = { - id: embeddableFactoryId, - type: embeddableFactoryId, - my: 'state', - } as any; - - const containerEmbeddableFactoryId = 'CONTAINER'; - const containerEmbeddableFactory = { - type: containerEmbeddableFactoryId, - latestVersion: '1.0.0', - create: jest.fn(), - getDisplayName: () => 'Container', - isContainer: true, - isEditable: () => Promise.resolve(true), - extract: jest.fn().mockImplementation((state) => ({ state, references: [] })), - inject: jest.fn().mockImplementation((state) => state), - telemetry: jest.fn().mockResolvedValue({}), - migrations: { '7.12.0': jest.fn().mockImplementation((state) => state) }, - }; - - const containerState = { - id: containerEmbeddableFactoryId, - type: containerEmbeddableFactoryId, - some: 'state', - panels: [ - { - ...embeddableState, - }, - ], - } as any; - - setup.registerEmbeddableFactory(embeddableFactoryId, embeddableFactory); - setup.registerEmbeddableFactory(containerEmbeddableFactoryId, containerEmbeddableFactory); - - test('cannot register embeddable factory with the same ID', async () => { - expect(() => - setup.registerEmbeddableFactory(embeddableFactoryId, embeddableFactory) - ).toThrowError( - 'Embeddable factory [embeddableFactoryId = ID] already registered in Embeddables API.' - ); - }); - - test('embeddableFactory extract function gets called when calling embeddable extract', () => { - start.extract(embeddableState); - expect(embeddableFactory.extract).toBeCalledWith(embeddableState); - }); - - test('embeddableFactory inject function gets called when calling embeddable inject', () => { - start.inject(embeddableState, []); - expect(embeddableFactory.extract).toBeCalledWith(embeddableState); - }); - - test('embeddableFactory telemetry function gets called when calling embeddable telemetry', () => { - start.telemetry(embeddableState, {}); - expect(embeddableFactory.telemetry).toBeCalledWith(embeddableState, {}); - }); - - test('embeddableFactory migrate function gets called when calling embeddable migrate', () => { - start.getAllMigrations!()['7.11.0']!(embeddableState); - expect(embeddableFactory.migrations['7.11.0']).toBeCalledWith(embeddableState); - }); - - test('panels inside container get automatically migrated when migrating conta1iner', () => { - start.getAllMigrations!()['7.11.0']!(containerState); - expect(embeddableFactory.migrations['7.11.0']).toBeCalledWith(embeddableState); - }); - - test('migrateToLatest returns list of all migrations', () => { - const migrations = start.getAllMigrations(); - expect(migrations).toMatchSnapshot(); - }); - - test('migrateToLatest calls correct migrate functions', () => { - start.migrateToLatest!({ - state: embeddableState, - version: '7.11.0', - }); - expect(embeddableFactory.migrations['7.11.0']).toBeCalledWith(embeddableState); - }); -}); - describe('embeddable enhancements', () => { const coreSetup = coreMock.createSetup(); const coreStart = coreMock.createStart(); diff --git a/src/plugins/embeddable/public/plugin.tsx b/src/plugins/embeddable/public/plugin.tsx index ef339e5bacc2c..84ea1676dd018 100644 --- a/src/plugins/embeddable/public/plugin.tsx +++ b/src/plugins/embeddable/public/plugin.tsx @@ -8,10 +8,6 @@ */ import { Subscription } from 'rxjs'; -import { identity } from 'lodash'; -import type { SerializableRecord } from '@kbn/utility-types'; -import { UiActionsSetup, UiActionsStart } from '@kbn/ui-actions-plugin/public'; -import { Start as InspectorStart } from '@kbn/inspector-plugin/public'; import { PluginInitializerContext, CoreSetup, @@ -20,26 +16,8 @@ import { PublicAppInfo, } from '@kbn/core/public'; import { Storage } from '@kbn/kibana-utils-plugin/public'; -import { UsageCollectionStart } from '@kbn/usage-collection-plugin/public'; -import { migrateToLatest, PersistableStateService } from '@kbn/kibana-utils-plugin/common'; -import { SavedObjectsManagementPluginStart } from '@kbn/saved-objects-management-plugin/public'; -import type { ContentManagementPublicStart } from '@kbn/content-management-plugin/public'; -import type { SavedObjectTaggingOssPluginStart } from '@kbn/saved-objects-tagging-oss-plugin/public'; -import { - EmbeddableFactoryRegistry, - EnhancementsRegistry, - EnhancementRegistryDefinition, - EnhancementRegistryItem, -} from './types'; +import { migrateToLatest } from '@kbn/kibana-utils-plugin/common'; import { bootstrap } from './bootstrap'; -import { - EmbeddableFactory, - EmbeddableInput, - EmbeddableOutput, - defaultEmbeddableFactoryProvider, - IEmbeddable, -} from './lib'; -import { EmbeddableFactoryDefinition } from './lib/embeddables/embeddable_factory_definition'; import { EmbeddableStateTransfer } from './lib/state_transfer'; import { EmbeddableStateWithType, CommonEmbeddableStartContract } from '../common/types'; import { @@ -52,90 +30,19 @@ import { getAllMigrations } from '../common/lib/get_all_migrations'; import { setKibanaServices } from './kibana_services'; import { registerReactEmbeddableFactory } from './react_embeddable_system'; import { registerAddFromLibraryType } from './add_from_library/registry'; +import { EnhancementsRegistry } from './enhancements/registry'; +import { + EmbeddableSetup, + EmbeddableSetupDependencies, + EmbeddableStart, + EmbeddableStartDependencies, +} from './types'; -export interface EmbeddableSetupDependencies { - uiActions: UiActionsSetup; -} - -export interface EmbeddableStartDependencies { - uiActions: UiActionsStart; - inspector: InspectorStart; - usageCollection: UsageCollectionStart; - contentManagement: ContentManagementPublicStart; - savedObjectsManagement: SavedObjectsManagementPluginStart; - savedObjectsTaggingOss?: SavedObjectTaggingOssPluginStart; -} - -export interface EmbeddableSetup { - /** - * Register a saved object type with the "Add from library" flyout. - * - * @example - * registerAddFromLibraryType({ - * onAdd: (container, savedObject) => { - * container.addNewPanel({ - * panelType: CONTENT_ID, - * initialState: savedObject.attributes, - * }); - * }, - * savedObjectType: MAP_SAVED_OBJECT_TYPE, - * savedObjectName: i18n.translate('xpack.maps.mapSavedObjectLabel', { - * defaultMessage: 'Map', - * }), - * getIconForSavedObject: () => APP_ICON, - * }); - */ - registerAddFromLibraryType: typeof registerAddFromLibraryType; - - /** - * Registers an async {@link ReactEmbeddableFactory} getter. - */ - registerReactEmbeddableFactory: typeof registerReactEmbeddableFactory; - - /** - * @deprecated use {@link registerReactEmbeddableFactory} instead. - */ - registerEmbeddableFactory: < - I extends EmbeddableInput, - O extends EmbeddableOutput, - E extends IEmbeddable = IEmbeddable - >( - id: string, - factory: EmbeddableFactoryDefinition - ) => () => EmbeddableFactory; - /** - * @deprecated - */ - registerEnhancement: (enhancement: EnhancementRegistryDefinition) => void; -} - -export interface EmbeddableStart extends PersistableStateService { - /** - * @deprecated use {@link registerReactEmbeddableFactory} instead. - */ - getEmbeddableFactory: < - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable - >( - embeddableFactoryId: string - ) => EmbeddableFactory | undefined; - - /** - * @deprecated - */ - getEmbeddableFactories: () => IterableIterator; - getStateTransfer: (storage?: Storage) => EmbeddableStateTransfer; -} export class EmbeddablePublicPlugin implements Plugin { - private readonly embeddableFactoryDefinitions: Map = - new Map(); - private readonly embeddableFactories: EmbeddableFactoryRegistry = new Map(); - private readonly enhancements: EnhancementsRegistry = new Map(); private stateTransferService: EmbeddableStateTransfer = {} as EmbeddableStateTransfer; - private isRegistryReady = false; private appList?: ReadonlyMap; private appListSubscription?: Subscription; + private enhancementsRegistry = new EnhancementsRegistry(); constructor(initializerContext: PluginInitializerContext) {} @@ -145,17 +52,11 @@ export class EmbeddablePublicPlugin implements Plugin { - this.embeddableFactories.set(def.type, defaultEmbeddableFactoryProvider(def)); - }); - this.appListSubscription = core.application.applications$.subscribe((appList) => { this.appList = appList; }); @@ -165,24 +66,19 @@ export class EmbeddablePublicPlugin implements Plugin getAllMigrations( - Array.from(this.embeddableFactories.values()), - Array.from(this.enhancements.values()), + [], + this.enhancementsRegistry.getEnhancements(), getMigrateFunction(commonContract) ); const embeddableStart: EmbeddableStart = { - getEmbeddableFactory: this.getEmbeddableFactory, - getEmbeddableFactories: this.getEmbeddableFactories, getStateTransfer: (storage?: Storage) => storage ? new EmbeddableStateTransfer( @@ -210,89 +106,4 @@ export class EmbeddablePublicPlugin implements Plugin { - if (this.enhancements.has(enhancement.id)) { - throw new Error(`enhancement with id ${enhancement.id} already exists in the registry`); - } - this.enhancements.set(enhancement.id, { - id: enhancement.id, - telemetry: enhancement.telemetry || ((state, stats) => stats), - inject: enhancement.inject || identity, - extract: - enhancement.extract || - ((state: SerializableRecord) => { - return { state, references: [] }; - }), - migrations: enhancement.migrations || {}, - }); - }; - - private getEnhancement = (id: string): EnhancementRegistryItem => { - return ( - this.enhancements.get(id) || { - id: 'unknown', - telemetry: (state, stats) => stats, - inject: identity, - extract: (state: SerializableRecord) => { - return { state, references: [] }; - }, - migrations: {}, - } - ); - }; - - private getEmbeddableFactories = () => { - this.ensureFactoriesExist(); - return this.embeddableFactories.values(); - }; - - private registerEmbeddableFactory = < - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable - >( - embeddableFactoryId: string, - factory: EmbeddableFactoryDefinition - ): (() => EmbeddableFactory) => { - if (this.embeddableFactoryDefinitions.has(embeddableFactoryId)) { - throw new Error( - `Embeddable factory [embeddableFactoryId = ${embeddableFactoryId}] already registered in Embeddables API.` - ); - } - this.embeddableFactoryDefinitions.set(embeddableFactoryId, factory); - - return () => { - return this.getEmbeddableFactory(embeddableFactoryId); - }; - }; - - private getEmbeddableFactory = < - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable - >( - embeddableFactoryId: string - ): EmbeddableFactory => { - if (!this.isRegistryReady) { - throw new Error('Embeddable factories can only be retrieved after setup lifecycle.'); - } - this.ensureFactoryExists(embeddableFactoryId); - const factory = this.embeddableFactories.get(embeddableFactoryId); - - return factory as EmbeddableFactory; - }; - - // These two functions are only to support legacy plugins registering factories after the start lifecycle. - private ensureFactoriesExist = () => { - this.embeddableFactoryDefinitions.forEach((def) => this.ensureFactoryExists(def.type)); - }; - - private ensureFactoryExists = (type: string) => { - if (!this.embeddableFactories.get(type)) { - const def = this.embeddableFactoryDefinitions.get(type); - if (!def) return; - this.embeddableFactories.set(type, defaultEmbeddableFactoryProvider(def)); - } - }; } diff --git a/src/plugins/embeddable/public/tests/test_plugin.ts b/src/plugins/embeddable/public/tests/test_plugin.ts index 4cd20c4863b2b..ffb7d73b9bed6 100644 --- a/src/plugins/embeddable/public/tests/test_plugin.ts +++ b/src/plugins/embeddable/public/tests/test_plugin.ts @@ -19,7 +19,8 @@ import { import { Query } from '@kbn/es-query'; import { SavedObjectsTaggingApi } from '@kbn/saved-objects-tagging-oss-plugin/public'; import { contentManagementMock } from '@kbn/content-management-plugin/public/mocks'; -import { EmbeddablePublicPlugin, EmbeddableSetup, EmbeddableStart } from '../plugin'; +import { EmbeddablePublicPlugin } from '../plugin'; +import type { EmbeddableSetup, EmbeddableStart } from '../types'; export interface TestPluginReturn { plugin: EmbeddablePublicPlugin; coreSetup: CoreSetup; diff --git a/src/plugins/embeddable/public/types.ts b/src/plugins/embeddable/public/types.ts index 72d8052706254..2d97adfc2b8e0 100644 --- a/src/plugins/embeddable/public/types.ts +++ b/src/plugins/embeddable/public/types.ts @@ -7,36 +7,65 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import type { SerializableRecord } from '@kbn/utility-types'; -import { SavedObjectAttributes } from '@kbn/core/public'; -import type { FinderAttributes } from '@kbn/saved-objects-finder-plugin/common'; -import { PersistableState, PersistableStateDefinition } from '@kbn/kibana-utils-plugin/common'; -import { - EmbeddableFactory, - EmbeddableInput, - EmbeddableOutput, - IEmbeddable, - EmbeddableFactoryDefinition, -} from './lib/embeddables'; +import type { UiActionsSetup, UiActionsStart } from '@kbn/ui-actions-plugin/public'; +import type { Start as InspectorStart } from '@kbn/inspector-plugin/public'; +import type { UsageCollectionStart } from '@kbn/usage-collection-plugin/public'; +import type { SavedObjectsManagementPluginStart } from '@kbn/saved-objects-management-plugin/public'; +import type { ContentManagementPublicStart } from '@kbn/content-management-plugin/public'; +import type { SavedObjectTaggingOssPluginStart } from '@kbn/saved-objects-tagging-oss-plugin/public'; +import type { Storage } from '@kbn/kibana-utils-plugin/public'; +import type { PersistableStateService } from '@kbn/kibana-utils-plugin/common'; +import type { registerAddFromLibraryType } from './add_from_library/registry'; +import type { registerReactEmbeddableFactory } from './react_embeddable_system'; +import type { EmbeddableStateTransfer } from './lib'; +import type { EmbeddableStateWithType } from '../common'; +import { EnhancementRegistryDefinition } from './enhancements/types'; -export type EmbeddableFactoryRegistry = Map; -export type EnhancementsRegistry = Map; +export interface EmbeddableSetupDependencies { + uiActions: UiActionsSetup; +} -export interface EnhancementRegistryDefinition

- extends PersistableStateDefinition

{ - id: string; +export interface EmbeddableStartDependencies { + uiActions: UiActionsStart; + inspector: InspectorStart; + usageCollection: UsageCollectionStart; + contentManagement: ContentManagementPublicStart; + savedObjectsManagement: SavedObjectsManagementPluginStart; + savedObjectsTaggingOss?: SavedObjectTaggingOssPluginStart; } -export interface EnhancementRegistryItem

- extends PersistableState

{ - id: string; +export interface EmbeddableSetup { + /** + * Register a saved object type with the "Add from library" flyout. + * + * @example + * registerAddFromLibraryType({ + * onAdd: (container, savedObject) => { + * container.addNewPanel({ + * panelType: CONTENT_ID, + * initialState: savedObject.attributes, + * }); + * }, + * savedObjectType: MAP_SAVED_OBJECT_TYPE, + * savedObjectName: i18n.translate('xpack.maps.mapSavedObjectLabel', { + * defaultMessage: 'Map', + * }), + * getIconForSavedObject: () => APP_ICON, + * }); + */ + registerAddFromLibraryType: typeof registerAddFromLibraryType; + + /** + * Registers an async {@link ReactEmbeddableFactory} getter. + */ + registerReactEmbeddableFactory: typeof registerReactEmbeddableFactory; + + /** + * @deprecated + */ + registerEnhancement: (enhancement: EnhancementRegistryDefinition) => void; } -export type EmbeddableFactoryProvider = < - I extends EmbeddableInput = EmbeddableInput, - O extends EmbeddableOutput = EmbeddableOutput, - E extends IEmbeddable = IEmbeddable, - T extends FinderAttributes = SavedObjectAttributes ->( - def: EmbeddableFactoryDefinition -) => EmbeddableFactory; +export interface EmbeddableStart extends PersistableStateService { + getStateTransfer: (storage?: Storage) => EmbeddableStateTransfer; +} diff --git a/x-pack/platform/plugins/private/translations/translations/fr-FR.json b/x-pack/platform/plugins/private/translations/translations/fr-FR.json index 731044f9f61ca..b794f947c0fa1 100644 --- a/x-pack/platform/plugins/private/translations/translations/fr-FR.json +++ b/x-pack/platform/plugins/private/translations/translations/fr-FR.json @@ -2774,7 +2774,6 @@ "embeddableApi.common.constants.grouping.other": "Autre", "embeddableApi.contextMenuTrigger.description": "Une nouvelle action sera ajoutée au menu contextuel du panneau", "embeddableApi.contextMenuTrigger.title": "Menu contextuel", - "embeddableApi.errors.embeddableFactoryNotFound": "Impossible de charger {type}. Veuillez effectuer une mise à niveau vers la distribution par défaut d'Elasticsearch et de Kibana avec la licence appropriée.", "embeddableApi.errors.paneldoesNotExist": "Panneau introuvable", "embeddableApi.errors.panelIncompatibleError": "L'API du panneau n'est pas compatible", "embeddableApi.multiValueClickTrigger.description": "Sélection de plusieurs valeurs d'une même dimension dans la visualisation", diff --git a/x-pack/platform/plugins/private/translations/translations/ja-JP.json b/x-pack/platform/plugins/private/translations/translations/ja-JP.json index e262a4bb35a41..eda56781402ff 100644 --- a/x-pack/platform/plugins/private/translations/translations/ja-JP.json +++ b/x-pack/platform/plugins/private/translations/translations/ja-JP.json @@ -2769,7 +2769,6 @@ "embeddableApi.common.constants.grouping.other": "Other", "embeddableApi.contextMenuTrigger.description": "新しいアクションがパネルのコンテキストメニューに追加されます", "embeddableApi.contextMenuTrigger.title": "コンテキストメニュー", - "embeddableApi.errors.embeddableFactoryNotFound": "{type} を読み込めません。Elasticsearch と Kibanaのデフォルトのディストリビューションを適切なライセンスでアップグレードしてください。", "embeddableApi.errors.paneldoesNotExist": "パネルが見つかりません", "embeddableApi.errors.panelIncompatibleError": "パネルAPIに互換性がありません", "embeddableApi.multiValueClickTrigger.description": "ビジュアライゼーションの1つのディメンションの複数値を選択しています", diff --git a/x-pack/platform/plugins/private/translations/translations/zh-CN.json b/x-pack/platform/plugins/private/translations/translations/zh-CN.json index f63f6602f7257..db29389b8a0eb 100644 --- a/x-pack/platform/plugins/private/translations/translations/zh-CN.json +++ b/x-pack/platform/plugins/private/translations/translations/zh-CN.json @@ -2761,7 +2761,6 @@ "embeddableApi.common.constants.grouping.other": "其他", "embeddableApi.contextMenuTrigger.description": "会将一个新操作添加到该面板的上下文菜单", "embeddableApi.contextMenuTrigger.title": "上下文菜单", - "embeddableApi.errors.embeddableFactoryNotFound": "{type} 无法加载。请升级到具有适当许可的默认 Elasticsearch 和 Kibana 分发。", "embeddableApi.errors.paneldoesNotExist": "未找到面板", "embeddableApi.errors.panelIncompatibleError": "面板 API 不兼容", "embeddableApi.multiValueClickTrigger.description": "在可视化上选择多个单一维度的值", diff --git a/x-pack/plugins/canvas/common/lib/embeddable_dataurl.ts b/x-pack/plugins/canvas/common/lib/embeddable_dataurl.ts index 96e77a54e5398..7cadd254ca3ed 100644 --- a/x-pack/plugins/canvas/common/lib/embeddable_dataurl.ts +++ b/x-pack/plugins/canvas/common/lib/embeddable_dataurl.ts @@ -5,11 +5,6 @@ * 2.0. */ -import { type ExplicitInputWithAttributes } from '@kbn/embeddable-plugin/public/lib'; -import { EmbeddableInput } from '../../types'; - -export const encode = ( - input: ExplicitInputWithAttributes | Partial | Readonly -) => Buffer.from(JSON.stringify(input)).toString('base64'); +export const encode = (input: object) => Buffer.from(JSON.stringify(input)).toString('base64'); export const decode = (serializedInput: string) => JSON.parse(Buffer.from(serializedInput, 'base64').toString()); diff --git a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/__stories__/editor_menu.stories.tsx b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/__stories__/editor_menu.stories.tsx index dc638adb979ed..22eb31d1a9086 100644 --- a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/__stories__/editor_menu.stories.tsx +++ b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/__stories__/editor_menu.stories.tsx @@ -8,54 +8,9 @@ import { storiesOf } from '@storybook/react'; import { action } from '@storybook/addon-actions'; import React from 'react'; -import { EmbeddableFactoryDefinition, IEmbeddable } from '@kbn/embeddable-plugin/public'; import { BaseVisType, VisTypeAlias } from '@kbn/visualizations-plugin/public'; import { EditorMenu } from '../editor_menu.component'; -const testFactories: EmbeddableFactoryDefinition[] = [ - { - type: 'ml_anomaly_swimlane', - getDisplayName: () => 'Anomaly swimlane', - getIconType: () => '', - getDescription: () => 'Description for anomaly swimlane', - isEditable: () => Promise.resolve(true), - latestVersion: '1.0.0', - create: () => Promise.resolve({ id: 'swimlane_embeddable' } as IEmbeddable), - grouping: [ - { - id: 'ml', - getDisplayName: () => 'machine learning', - getIconType: () => 'machineLearningApp', - }, - ], - }, - { - type: 'ml_anomaly_chart', - getDisplayName: () => 'Anomaly chart', - getIconType: () => '', - getDescription: () => 'Description for anomaly chart', - isEditable: () => Promise.resolve(true), - create: () => Promise.resolve({ id: 'anomaly_chart_embeddable' } as IEmbeddable), - latestVersion: '1.0.0', - grouping: [ - { - id: 'ml', - getDisplayName: () => 'machine learning', - getIconType: () => 'machineLearningApp', - }, - ], - }, - { - type: 'log_stream', - getDisplayName: () => 'Log stream', - getIconType: () => '', - getDescription: () => 'Description for log stream', - latestVersion: '1.0.0', - isEditable: () => Promise.resolve(true), - create: () => Promise.resolve({ id: 'anomaly_chart_embeddable' } as IEmbeddable), - }, -]; - const testVisTypes: BaseVisType[] = [ { title: 'TSVB', icon: '', description: 'Description of TSVB', name: 'tsvb' } as BaseVisType, { @@ -95,11 +50,9 @@ const testVisTypeAliases: VisTypeAlias[] = [ storiesOf('components/WorkpadHeader/EditorMenu', module).add('default', () => ( action('createNewVisType')} - createNewEmbeddableFromFactory={() => action('createNewEmbeddableFromFactory')} createNewEmbeddableFromAction={() => action('createNewEmbeddableFromAction')} /> )); diff --git a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.component.tsx b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.component.tsx index 5c424961d7f50..188898798dd7a 100644 --- a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.component.tsx +++ b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.component.tsx @@ -7,12 +7,7 @@ import React, { FC, useCallback } from 'react'; -import { - EuiContextMenu, - EuiContextMenuItemIcon, - EuiContextMenuPanelItemDescriptor, -} from '@elastic/eui'; -import { EmbeddableFactoryDefinition } from '@kbn/embeddable-plugin/public'; +import { EuiContextMenu, EuiContextMenuPanelItemDescriptor } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; import { ToolbarPopover } from '@kbn/shared-ux-button-toolbar'; import { Action, ActionExecutionContext } from '@kbn/ui-actions-plugin/public/actions'; @@ -28,21 +23,11 @@ const strings = { }), }; -interface FactoryGroup { - id: string; - appName: string; - icon: EuiContextMenuItemIcon; - panelId: number; - factories: EmbeddableFactoryDefinition[]; -} - interface Props { - factories: EmbeddableFactoryDefinition[]; addPanelActions: Action[]; promotedVisTypes: BaseVisType[]; visTypeAliases: VisTypeAlias[]; createNewVisType: (visType?: BaseVisType | VisTypeAlias) => () => void; - createNewEmbeddableFromFactory: (factory: EmbeddableFactoryDefinition) => () => void; createNewEmbeddableFromAction: ( action: Action, context: ActionExecutionContext, @@ -51,46 +36,14 @@ interface Props { } export const EditorMenu: FC = ({ - factories, addPanelActions, promotedVisTypes, visTypeAliases, createNewVisType, createNewEmbeddableFromAction, - createNewEmbeddableFromFactory, }: Props) => { - const factoryGroupMap: Record = {}; - const ungroupedFactories: EmbeddableFactoryDefinition[] = []; const canvasApi = useCanvasApi(); - let panelCount = 1; - - // Maps factories with a group to create nested context menus for each group type - // and pushes ungrouped factories into a separate array - factories.forEach((factory: EmbeddableFactoryDefinition, index) => { - const { grouping } = factory; - - if (grouping) { - grouping.forEach((group) => { - if (factoryGroupMap[group.id]) { - factoryGroupMap[group.id].factories.push(factory); - } else { - factoryGroupMap[group.id] = { - id: group.id, - appName: group.getDisplayName ? group.getDisplayName({}) : group.id, - icon: (group.getIconType ? group.getIconType({}) : 'empty') as EuiContextMenuItemIcon, - factories: [factory], - panelId: panelCount, - }; - - panelCount++; - } - }); - } else { - ungroupedFactories.push(factory); - } - }); - const getVisTypeMenuItem = (visType: BaseVisType): EuiContextMenuPanelItemDescriptor => { const { name, title, titleInWizard, description, icon = 'empty' } = visType; return { @@ -116,22 +69,6 @@ export const EditorMenu: FC = ({ }; }; - const getEmbeddableFactoryMenuItem = ( - factory: EmbeddableFactoryDefinition - ): EuiContextMenuPanelItemDescriptor => { - const icon = factory?.getIconType ? factory.getIconType() : 'empty'; - - const toolTipContent = factory?.getDescription ? factory.getDescription() : undefined; - - return { - name: factory.getDisplayName(), - icon, - toolTipContent, - onClick: createNewEmbeddableFromFactory(factory), - 'data-test-subj': `createNew-${factory.type}`, - }; - }; - const getAddPanelActionMenuItems = useCallback( (closePopover: () => void) => { return addPanelActions.map((item) => { @@ -158,23 +95,9 @@ export const EditorMenu: FC = ({ items: [ ...visTypeAliases.map(getVisTypeAliasMenuItem), ...getAddPanelActionMenuItems(closePopover), - ...ungroupedFactories.map(getEmbeddableFactoryMenuItem), ...promotedVisTypes.map(getVisTypeMenuItem), - ...Object.values(factoryGroupMap).map(({ id, appName, icon, panelId }) => ({ - name: appName, - icon, - panel: panelId, - 'data-test-subj': `canvasEditorMenu-${id}Group`, - })), ], }, - ...Object.values(factoryGroupMap).map( - ({ appName, panelId, factories: groupFactories }: FactoryGroup) => ({ - id: panelId, - title: appName, - items: groupFactories.map(getEmbeddableFactoryMenuItem), - }) - ), ]; return ( diff --git a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx index 06d20e919dcbe..60933dd4d121b 100644 --- a/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx +++ b/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx @@ -5,7 +5,7 @@ * 2.0. */ -import React, { FC, useCallback, useEffect, useMemo, useState } from 'react'; +import React, { FC, useCallback, useEffect, useState } from 'react'; import { useLocation } from 'react-router-dom'; import { VisGroups, @@ -13,19 +13,12 @@ import { type VisTypeAlias, type VisParams, } from '@kbn/visualizations-plugin/public'; -import { - EmbeddableFactory, - EmbeddableFactoryDefinition, - EmbeddableInput, -} from '@kbn/embeddable-plugin/public'; import { Action, ActionExecutionContext } from '@kbn/ui-actions-plugin/public/actions'; import { trackCanvasUiMetric, METRIC_TYPE } from '../../../lib/ui_metric'; import { CANVAS_APP } from '../../../../common/lib'; import { ElementSpec } from '../../../../types'; import { EditorMenu as Component } from './editor_menu.component'; -import { embeddableInputToExpression } from '../../../../canvas_plugin_src/renderers/embeddable/embeddable_input_to_expression'; -import { EmbeddableInput as CanvasEmbeddableInput } from '../../../../canvas_plugin_src/expression_types'; import { useCanvasApi } from '../../hooks/use_canvas_api'; import { ADD_CANVAS_ELEMENT_TRIGGER } from '../../../state/triggers/add_canvas_element_trigger'; import { @@ -41,11 +34,6 @@ interface Props { addElement: (element: Partial) => void; } -interface UnwrappedEmbeddableFactory { - factory: EmbeddableFactory; - isEditable: boolean; -} - export const EditorMenu: FC = ({ addElement }) => { const { pathname, search, hash } = useLocation(); const stateTransferService = embeddableService.getStateTransfer(); @@ -53,26 +41,6 @@ export const EditorMenu: FC = ({ addElement }) => { const [addPanelActions, setAddPanelActions] = useState>>([]); - const embeddableFactories = useMemo( - () => (embeddableService ? Array.from(embeddableService.getEmbeddableFactories()) : []), - [] - ); - - const [unwrappedEmbeddableFactories, setUnwrappedEmbeddableFactories] = useState< - UnwrappedEmbeddableFactory[] - >([]); - - useEffect(() => { - Promise.all( - embeddableFactories.map>(async (factory) => ({ - factory, - isEditable: await factory.isEditable(), - })) - ).then((factories) => { - setUnwrappedEmbeddableFactories(factories); - }); - }, [embeddableFactories]); - useEffect(() => { let mounted = true; async function loadPanelActions() { @@ -123,33 +91,6 @@ export const EditorMenu: FC = ({ addElement }) => { [stateTransferService, pathname, search, hash] ); - const createNewEmbeddableFromFactory = useCallback( - (factory: EmbeddableFactoryDefinition) => async () => { - if (trackCanvasUiMetric) { - trackCanvasUiMetric(METRIC_TYPE.CLICK, factory.type); - } - - let embeddableInput; - if (factory.getExplicitInput) { - embeddableInput = await factory.getExplicitInput(); - } else { - const newEmbeddable = await factory.create({} as EmbeddableInput); - embeddableInput = newEmbeddable?.getInput(); - } - - if (embeddableInput) { - const expression = embeddableInputToExpression( - embeddableInput as CanvasEmbeddableInput, - factory.type, - undefined, - true - ); - addElement({ expression }); - } - }, - [addElement] - ); - const createNewEmbeddableFromAction = useCallback( (action: Action, context: ActionExecutionContext, closePopover: () => void) => (event: React.MouseEvent) => { @@ -190,31 +131,17 @@ export const EditorMenu: FC = ({ addElement }) => { ) .filter(({ disableCreate }: VisTypeAlias) => !disableCreate); - const factories = unwrappedEmbeddableFactories - .filter( - ({ isEditable, factory: { type, canCreateNew, isContainerType } }) => - isEditable && - !isContainerType && - canCreateNew() && - !['visualization', 'ml', 'links'].some((factoryType) => { - return type.includes(factoryType); - }) - ) - .map(({ factory }) => factory); - const promotedVisTypes = getVisTypesByGroup(VisGroups.PROMOTED); const legacyVisTypes = getVisTypesByGroup(VisGroups.LEGACY); return ( >).concat( promotedVisTypes, legacyVisTypes )} - factories={factories} addPanelActions={addPanelActions} visTypeAliases={visTypeAliases} /> diff --git a/x-pack/plugins/canvas/public/services/kibana_services.ts b/x-pack/plugins/canvas/public/services/kibana_services.ts index 92980d712fb4f..b820ca1396ffc 100644 --- a/x-pack/plugins/canvas/public/services/kibana_services.ts +++ b/x-pack/plugins/canvas/public/services/kibana_services.ts @@ -11,7 +11,7 @@ import type { ContentManagementPublicStart } from '@kbn/content-management-plugi import type { CoreStart, PluginInitializerContext } from '@kbn/core/public'; import type { DataPublicPluginStart } from '@kbn/data-plugin/public'; import type { DataViewsPublicPluginStart } from '@kbn/data-views-plugin/public'; -import type { EmbeddableStart } from '@kbn/embeddable-plugin/public/plugin'; +import type { EmbeddableStart } from '@kbn/embeddable-plugin/public'; import type { ExpressionsStart } from '@kbn/expressions-plugin/public'; import type { PresentationUtilPluginStart } from '@kbn/presentation-util-plugin/public'; import type { ReportingStart } from '@kbn/reporting-plugin/public'; diff --git a/x-pack/plugins/observability_solution/observability_shared/public/components/profiling/embeddables/profiling_embeddable.tsx b/x-pack/plugins/observability_solution/observability_shared/public/components/profiling/embeddables/profiling_embeddable.tsx deleted file mode 100644 index 989b446ca3b21..0000000000000 --- a/x-pack/plugins/observability_solution/observability_shared/public/components/profiling/embeddables/profiling_embeddable.tsx +++ /dev/null @@ -1,59 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import { css } from '@emotion/react'; -import { useKibana } from '@kbn/kibana-react-plugin/public'; -import React, { useEffect, useRef, useState } from 'react'; -import { ObservabilitySharedStart } from '../../../plugin'; - -export function ProfilingEmbeddable({ - embeddableFactoryId, - height, - ...props -}: T & { embeddableFactoryId: string; height?: string }) { - const { embeddable: embeddablePlugin } = useKibana().services; - const [embeddable, setEmbeddable] = useState(); - const embeddableRoot: React.RefObject = useRef(null); - - useEffect(() => { - async function createEmbeddable() { - const factory = embeddablePlugin?.getEmbeddableFactory(embeddableFactoryId); - const input = { ...props, id: 'embeddable_profiling' }; - const embeddableObject = await factory?.create(input); - setEmbeddable(embeddableObject); - } - createEmbeddable(); - // eslint-disable-next-line react-hooks/exhaustive-deps - }, []); - - useEffect(() => { - if (embeddableRoot.current && embeddable) { - embeddable.render(embeddableRoot.current); - } - }, [embeddable, embeddableRoot]); - - useEffect(() => { - if (embeddable) { - embeddable.updateInput(props); - embeddable.reload(); - } - }, [embeddable, props]); - - return ( -
- ); -} diff --git a/x-pack/solutions/observability/plugins/ux/public/application/application.test.tsx b/x-pack/solutions/observability/plugins/ux/public/application/application.test.tsx index 2b9dd676eac17..5414ed2963ed5 100644 --- a/x-pack/solutions/observability/plugins/ux/public/application/application.test.tsx +++ b/x-pack/solutions/observability/plugins/ux/public/application/application.test.tsx @@ -51,18 +51,8 @@ const mockPlugin = { observabilityAIAssistant: mockAIAssistantPlugin, }; -const mockEmbeddable = embeddablePluginMock.createStartContract(); - -mockEmbeddable.getEmbeddableFactory = jest.fn().mockImplementation(() => ({ - create: () => ({ - reload: jest.fn(), - setRenderTooltipContent: jest.fn(), - setLayerList: jest.fn(), - }), -})); - const mockCorePlugins = { - embeddable: mockEmbeddable, + embeddable: embeddablePluginMock.createStartContract(), inspector: {}, maps: {}, observabilityShared: { From 1ba2716c7b00086b35788d7714781b252be1d6a0 Mon Sep 17 00:00:00 2001 From: Alexi Doak <109488926+doakalexi@users.noreply.github.com> Date: Thu, 19 Dec 2024 10:30:15 -0800 Subject: [PATCH 10/31] [ResponseOps] Granular Connector RBAC - adding API key to event log (#204114) Part of https://github.com/elastic/kibana/issues/180908 ## Summary This change is part of adding granular RBAC for SecuritySolution connectors. In this PR, I updated the action executor to log API key details when a connector is executed by a user authenticated via API key. The public name and id of the API key are now included in the event log. ### Checklist Check the PR satisfies following conditions. - [ ] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios ### To verify 1. Create an API key 2. Create a connector that will successfully run, it doesn't have to be SentinelOne. 3. Run the following with the ID and correct params for your connector type. ``` curl -X POST "http://localhost:5601/api/actions/connector/$CONNECTOR_ID/_execute" -H 'Authorization: ApiKey $API_KEY' -H 'kbn-xsrf: true' -H 'Content-Type: application/json' -d' { "params": { "message": "hi" } }' ``` 4. Go to dev tools and run the following query to verify that the API key information is stored in the event log ``` GET /.kibana-event-log*/_search { "sort": [ { "@timestamp": { "order": "desc" } } ], "query": { "bool": { "filter": [ { "term": { "event.provider": { "value": "actions" } } } ] } } ``` --- .../src/authentication/authenticated_user.ts | 20 ++++ .../server/lib/action_executor.test.ts | 91 ++++++++++++++++--- .../actions/server/lib/action_executor.ts | 1 + .../plugins/event_log/generated/mappings.json | 10 ++ x-pack/plugins/event_log/generated/schemas.ts | 6 ++ x-pack/plugins/event_log/scripts/mappings.js | 10 ++ .../group2/tests/actions/execute.ts | 78 ++++++++++++++++ 7 files changed, 204 insertions(+), 12 deletions(-) diff --git a/packages/core/security/core-security-common/src/authentication/authenticated_user.ts b/packages/core/security/core-security-common/src/authentication/authenticated_user.ts index d80ff8f434a4f..f550707290de7 100644 --- a/packages/core/security/core-security-common/src/authentication/authenticated_user.ts +++ b/packages/core/security/core-security-common/src/authentication/authenticated_user.ts @@ -25,6 +25,21 @@ export interface UserRealm { type: string; } +/** + * Represents the metadata of an API key. + */ +export interface ApiKeyDescriptor { + /** + * Name of the API key. + */ + name: string; + + /** + * The ID of the API key. + */ + id: string; +} + /** * Represents the currently authenticated user. */ @@ -65,4 +80,9 @@ export interface AuthenticatedUser extends User { * Indicates whether user is an operator. */ operator?: boolean; + + /** + * Metadata of the API key that was used to authenticate the user. + */ + api_key?: ApiKeyDescriptor; } diff --git a/x-pack/plugins/actions/server/lib/action_executor.test.ts b/x-pack/plugins/actions/server/lib/action_executor.test.ts index 76354dc882dd9..b89b997ca749d 100644 --- a/x-pack/plugins/actions/server/lib/action_executor.test.ts +++ b/x-pack/plugins/actions/server/lib/action_executor.test.ts @@ -229,6 +229,18 @@ const getBaseExecuteEventLogDoc = ( }; const mockGetRequestBodyByte = jest.spyOn(ConnectorUsageCollector.prototype, 'getRequestBodyByte'); +const mockRealm = { name: 'default_native', type: 'native' }; +const mockUser = { + authentication_realm: mockRealm, + authentication_provider: mockRealm, + authentication_type: 'realm', + lookup_realm: mockRealm, + elastic_cloud_user: true, + enabled: true, + profile_uid: '123', + roles: ['superuser'], + username: 'coolguy', +}; beforeEach(() => { jest.resetAllMocks(); @@ -236,18 +248,7 @@ beforeEach(() => { mockGetRequestBodyByte.mockReturnValue(0); spacesMock.getSpaceId.mockReturnValue('some-namespace'); loggerMock.get.mockImplementation(() => loggerMock); - const mockRealm = { name: 'default_native', type: 'native' }; - securityMockStart.authc.getCurrentUser.mockImplementation(() => ({ - authentication_realm: mockRealm, - authentication_provider: mockRealm, - authentication_type: 'realm', - lookup_realm: mockRealm, - elastic_cloud_user: true, - enabled: true, - profile_uid: '123', - roles: ['superuser'], - username: 'coolguy', - })); + securityMockStart.authc.getCurrentUser.mockImplementation(() => mockUser); getActionsAuthorizationWithRequest.mockReturnValue(authorizationMock); }); @@ -1563,6 +1564,72 @@ describe('Event log', () => { message: 'action started: test:1: action-1', }); }); + + test('writes to the api key to the event log', async () => { + securityMockStart.authc.getCurrentUser.mockImplementationOnce(() => ({ + ...mockUser, + authentication_type: 'api_key', + api_key: { + id: '456', + name: 'test api key', + }, + })); + + const executorMock = setupActionExecutorMock(); + executorMock.mockResolvedValue({ + actionId: '1', + status: 'ok', + }); + await actionExecutor.execute(executeParams); + expect(eventLogger.logEvent).toHaveBeenCalledTimes(2); + expect(eventLogger.logEvent).toHaveBeenNthCalledWith(2, { + event: { + action: 'execute', + kind: 'action', + outcome: 'success', + }, + kibana: { + action: { + execution: { + usage: { + request_body_bytes: 0, + }, + uuid: '2', + }, + id: '1', + name: 'action-1', + type_id: 'test', + }, + alert: { + rule: { + execution: { + uuid: '123abc', + }, + }, + }, + user_api_key: { + id: '456', + name: 'test api key', + }, + saved_objects: [ + { + id: '1', + namespace: 'some-namespace', + rel: 'primary', + type: 'action', + type_id: 'test', + }, + ], + space_ids: ['some-namespace'], + }, + message: 'action executed: test:1: action-1', + user: { + id: '123', + name: 'coolguy', + }, + }); + }); + const mockGenAi = { id: 'chatcmpl-7LztF5xsJl2z5jcNpJKvaPm4uWt8x', object: 'chat.completion', diff --git a/x-pack/plugins/actions/server/lib/action_executor.ts b/x-pack/plugins/actions/server/lib/action_executor.ts index 799fdb80f39af..b0d8e7c5b469c 100644 --- a/x-pack/plugins/actions/server/lib/action_executor.ts +++ b/x-pack/plugins/actions/server/lib/action_executor.ts @@ -552,6 +552,7 @@ export class ActionExecutor { event.user = event.user || {}; event.user.name = currentUser?.username; event.user.id = currentUser?.profile_uid; + event.kibana!.user_api_key = currentUser?.api_key; set( event, 'kibana.action.execution.usage.request_body_bytes', diff --git a/x-pack/plugins/event_log/generated/mappings.json b/x-pack/plugins/event_log/generated/mappings.json index 5fc8128baa7ae..110cc3b6665f9 100644 --- a/x-pack/plugins/event_log/generated/mappings.json +++ b/x-pack/plugins/event_log/generated/mappings.json @@ -523,6 +523,16 @@ } } } + }, + "user_api_key": { + "properties": { + "id": { + "type": "keyword" + }, + "name": { + "type": "keyword" + } + } } } } diff --git a/x-pack/plugins/event_log/generated/schemas.ts b/x-pack/plugins/event_log/generated/schemas.ts index 7542d6db5213a..ef3e9c7facbf9 100644 --- a/x-pack/plugins/event_log/generated/schemas.ts +++ b/x-pack/plugins/event_log/generated/schemas.ts @@ -237,6 +237,12 @@ export const EventSchema = schema.maybe( ), }) ), + user_api_key: schema.maybe( + schema.object({ + id: ecsString(), + name: ecsString(), + }) + ), }) ), }) diff --git a/x-pack/plugins/event_log/scripts/mappings.js b/x-pack/plugins/event_log/scripts/mappings.js index 770f9e6d45f9a..349ed4903ae29 100644 --- a/x-pack/plugins/event_log/scripts/mappings.js +++ b/x-pack/plugins/event_log/scripts/mappings.js @@ -299,6 +299,16 @@ exports.EcsCustomPropertyMappings = { }, }, }, + user_api_key: { + properties: { + id: { + type: 'keyword', + }, + name: { + type: 'keyword', + }, + }, + }, }, }, }; diff --git a/x-pack/test/alerting_api_integration/security_and_spaces/group2/tests/actions/execute.ts b/x-pack/test/alerting_api_integration/security_and_spaces/group2/tests/actions/execute.ts index ddd2ed954efe7..4d5204b067643 100644 --- a/x-pack/test/alerting_api_integration/security_and_spaces/group2/tests/actions/execute.ts +++ b/x-pack/test/alerting_api_integration/security_and_spaces/group2/tests/actions/execute.ts @@ -573,6 +573,84 @@ export default function ({ getService }: FtrProviderContext) { throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); } }); + + it('should log api key information from execute request', async () => { + const { body: createdApiKey } = await supertest + .post(`/internal/security/api_key`) + .set('kbn-xsrf', 'foo') + .send({ name: 'test user managed key' }) + .expect(200); + const apiKey = createdApiKey.encoded; + + const connectorTypeId = 'test.index-record'; + const { body: createdConnector } = await supertest + .post(`${getUrlPrefix(space.id)}/api/actions/connector`) + .set('kbn-xsrf', 'foo') + .send({ + name: 'My Connector', + connector_type_id: connectorTypeId, + config: { + unencrypted: `This value shouldn't get encrypted`, + }, + secrets: { + encrypted: 'This value should be encrypted', + }, + }) + .expect(200); + objectRemover.add(space.id, createdConnector.id, 'connector', 'actions'); + + const reference = `actions-execute-1:${user.username}`; + const response = await supertestWithoutAuth + .post(`${getUrlPrefix(space.id)}/api/actions/connector/${createdConnector.id}/_execute`) + .set('kbn-xsrf', 'foo') + .set('Authorization', `ApiKey ${apiKey}`) + .send({ + params: { + reference, + index: ES_TEST_INDEX_NAME, + message: 'Testing 123', + }, + }); + + switch (scenario.id) { + case 'no_kibana_privileges at space1': + case 'space_1_all_alerts_none_actions at space1': + case 'space_1_all at space2': + case 'global_read at space1': + case 'superuser at space1': + case 'space_1_all at space1': + case 'space_1_all_with_restricted_fixture at space1': + case 'system_actions at space1': + expect(response.statusCode).to.eql(200); + expect(response.body).to.be.an('object'); + const searchResult = await esTestIndexTool.search( + 'action:test.index-record', + reference + ); + // @ts-expect-error doesnt handle total: number + expect(searchResult.body.hits.total.value > 0).to.be(true); + + const events: IValidatedEvent[] = await retry.try(async () => { + return await getEventLog({ + getService, + spaceId: space.id, + type: 'action', + id: createdConnector.id, + provider: 'actions', + actions: new Map([ + ['execute-start', { equal: 1 }], + ['execute', { equal: 1 }], + ]), + }); + }); + const executeEvent = events[1]; + expect(executeEvent?.kibana?.user_api_key?.id).to.eql(createdApiKey.id); + expect(executeEvent?.kibana?.user_api_key?.name).to.eql(createdApiKey.name); + break; + default: + throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); + } + }); }); } }); From 71f27053c89ed8ce97ac1dc8f478e928cceedb90 Mon Sep 17 00:00:00 2001 From: Matthew Kime Date: Thu, 19 Dec 2024 12:39:27 -0600 Subject: [PATCH 11/31] Relocating module `@kbn/index-management-plugin` (#204953) ## Summary Last plugin to move for sustainable architecture --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .github/CODEOWNERS | 2 +- docs/developer/plugin-list.asciidoc | 2 +- package.json | 2 +- src/dev/precommit_hook/casing_check_config.js | 2 +- tsconfig.base.json | 4 ++-- x-pack/.i18nrc.json | 2 +- .../plugins/shared}/index_management/README.md | 2 +- .../create_enrich_policy/create_enrich_policy.helpers.ts | 0 .../create_enrich_policy/create_enrich_policy.test.tsx | 0 .../__jest__/client_integration/helpers/fixtures.ts | 0 .../__jest__/client_integration/helpers/http_requests.ts | 0 .../__jest__/client_integration/helpers/index.ts | 0 .../__jest__/client_integration/helpers/mocks.ts | 0 .../client_integration/helpers/setup_environment.tsx | 0 .../__jest__/client_integration/helpers/test_subjects.ts | 0 .../home/data_streams_project_level_retention.test.ts | 0 .../client_integration/home/data_streams_tab.helpers.ts | 0 .../client_integration/home/data_streams_tab.test.ts | 0 .../client_integration/home/enrich_policies.helpers.ts | 0 .../client_integration/home/enrich_policies.test.tsx | 0 .../__jest__/client_integration/home/home.helpers.ts | 0 .../__jest__/client_integration/home/home.test.ts | 0 .../home/index_templates_tab.helpers.ts | 0 .../client_integration/home/index_templates_tab.test.ts | 0 .../client_integration/home/indices_tab.helpers.ts | 0 .../client_integration/home/indices_tab.test.tsx | 0 .../index_details_page/index_details_page.helpers.ts | 0 .../index_details_page/index_details_page.test.tsx | 0 .../client_integration/index_details_page/mocks.ts | 0 .../index_details_page/select_inference_id.test.tsx | 0 .../index_details_page/semantic_text_bannner.test.tsx | 0 .../trained_models_deployment_modal.test.tsx | 0 .../index_template_wizard/constants.ts | 0 .../index_template_wizard/template_clone.helpers.ts | 0 .../index_template_wizard/template_clone.test.tsx | 0 .../index_template_wizard/template_create.helpers.ts | 0 .../index_template_wizard/template_create.test.tsx | 0 .../index_template_wizard/template_edit.helpers.ts | 0 .../index_template_wizard/template_edit.test.tsx | 0 .../index_template_wizard/template_form.helpers.ts | 0 .../components/__snapshots__/index_table.test.js.snap | 0 .../__jest__/components/index_table.test.js | 0 .../common/constants/allow_auto_create.ts | 0 .../index_management/common/constants/api_base_path.ts | 0 .../index_management/common/constants/base_path.ts | 0 .../shared}/index_management/common/constants/index.ts | 0 .../index_management/common/constants/index_modes.ts | 0 .../index_management/common/constants/index_statuses.ts | 0 .../common/constants/invalid_characters.ts | 0 .../shared}/index_management/common/constants/plugin.ts | 0 .../index_management/common/constants/ui_metric.ts | 0 .../plugins/shared}/index_management/common/index.ts | 1 - .../common/lib/component_template_serialization.test.ts | 0 .../common/lib/component_template_serialization.ts | 0 .../common/lib/data_stream_utils.test.ts | 0 .../index_management/common/lib/data_stream_utils.ts | 0 .../index_management/common/lib/enrich_policies.ts | 0 .../plugins/shared}/index_management/common/lib/index.ts | 0 .../common/lib/template_serialization.test.ts | 0 .../common/lib/template_serialization.ts | 0 .../shared}/index_management/common/lib/utils.test.ts | 0 .../plugins/shared}/index_management/common/lib/utils.ts | 0 .../shared}/index_management/common/types/aliases.ts | 0 .../index_management/common/types/component_templates.ts | 0 .../index_management/common/types/data_streams.ts | 0 .../index_management/common/types/enrich_policies.ts | 0 .../shared}/index_management/common/types/index.ts | 0 .../shared}/index_management/common/types/indices.ts | 0 .../shared}/index_management/common/types/mappings.ts | 0 .../shared}/index_management/common/types/templates.ts | 0 .../plugins/shared}/index_management/jest.config.js | 9 +++++---- .../plugins/shared}/index_management/kibana.jsonc | 0 .../shared}/index_management/public/application/app.tsx | 0 .../index_management/public/application/app_context.tsx | 0 .../component_template_create.test.tsx | 0 .../component_template_details.test.ts | 0 .../client_integration/component_template_edit.test.tsx | 0 .../client_integration/component_template_list.test.ts | 0 .../helpers/component_template_create.helpers.ts | 0 .../helpers/component_template_details.helpers.ts | 0 .../helpers/component_template_edit.helpers.ts | 0 .../helpers/component_template_form.helpers.ts | 0 .../helpers/component_template_list.helpers.ts | 0 .../__jest__/client_integration/helpers/constants.ts | 0 .../__jest__/client_integration/helpers/http_requests.ts | 0 .../__jest__/client_integration/helpers/index.ts | 0 .../client_integration/helpers/setup_environment.tsx | 0 .../components/component_templates/__jest__/index.ts | 0 .../component_template_details.tsx | 0 .../component_template_details/index.ts | 0 .../component_template_details/manage_button.tsx | 0 .../component_template_details/tab_summary.tsx | 0 .../component_template_details/tabs.tsx | 0 .../component_template_list/component_template_list.tsx | 0 .../component_template_list_container.tsx | 0 .../component_template_list/delete_modal.tsx | 0 .../component_template_list/empty_prompt.tsx | 0 .../component_templates/component_template_list/index.ts | 0 .../component_template_list/table.tsx | 0 .../component_template_selector/component_templates.scss | 0 .../component_template_selector/component_templates.tsx | 0 .../component_templates_list.tsx | 0 .../component_templates_list_item.scss | 0 .../component_templates_list_item.tsx | 0 .../component_templates_selection.tsx | 0 .../component_templates_selector.scss | 0 .../component_templates_selector.tsx | 0 .../components/create_button_popover.tsx | 0 .../components/filter_list_button.tsx | 0 .../component_template_selector/components/index.ts | 0 .../component_template_selector/index.ts | 0 .../component_template_clone.tsx | 0 .../component_template_clone/index.ts | 0 .../component_template_create.tsx | 0 .../component_template_create/index.ts | 0 .../mappings_datastreams_rollover_modal.tsx | 0 .../use_datastreams_rollover.test.tsx | 0 .../use_datastreams_rollover.tsx | 0 .../component_template_edit/component_template_edit.tsx | 0 .../component_template_edit/index.ts | 0 .../component_template_form/component_template_form.tsx | 0 .../component_template_form/index.ts | 0 .../component_template_form/steps/index.ts | 0 .../component_template_form/steps/step_logistics.tsx | 0 .../steps/step_logistics_container.tsx | 0 .../steps/step_logistics_schema.tsx | 0 .../component_template_form/steps/step_review.tsx | 0 .../steps/step_review_container.tsx | 0 .../component_template_wizard/index.ts | 0 .../use_step_from_query_string.test.tsx | 0 .../use_step_from_query_string.tsx | 0 .../component_templates/component_templates_context.tsx | 0 .../component_templates/components/deprecated_badge.tsx | 0 .../components/component_templates/components/index.ts | 0 .../components/component_templates/constants.ts | 0 .../application/components/component_templates/index.ts | 0 .../components/component_templates/lib/api.ts | 0 .../components/component_templates/lib/documentation.ts | 0 .../components/component_templates/lib/index.ts | 0 .../components/component_templates/lib/request.ts | 0 .../components/component_templates/shared_imports.ts | 0 .../public/application/components/data_health.tsx | 0 .../components/enrich_policies/auth_provider.tsx | 0 .../public/application/components/index.ts | 0 .../application/components/index_templates/index.ts | 0 .../legacy_index_template_deprecation.tsx | 0 .../components/index_templates/shared_imports.ts | 0 .../index_templates/simulate_template/index.ts | 0 .../simulate_template/simulate_template.tsx | 0 .../simulate_template/simulate_template_flyout.tsx | 0 .../client_integration/configuration_form.test.tsx | 0 .../datatypes/date_range_datatype.test.tsx | 0 .../__jest__/client_integration/datatypes/index.ts | 0 .../client_integration/datatypes/other_datatype.test.tsx | 0 .../client_integration/datatypes/point_datatype.test.tsx | 0 .../datatypes/scaled_float_datatype.test.tsx | 0 .../client_integration/datatypes/shape_datatype.test.tsx | 0 .../client_integration/datatypes/text_datatype.test.tsx | 0 .../datatypes/version_datatype.test.tsx | 0 .../__jest__/client_integration/edit_field.test.tsx | 0 .../__jest__/client_integration/helpers/index.ts | 0 .../helpers/mappings_editor.helpers.tsx | 0 .../client_integration/helpers/setup_environment.tsx | 0 .../__jest__/client_integration/mapped_fields.test.tsx | 0 .../__jest__/client_integration/mappings_editor.test.tsx | 0 .../__jest__/client_integration/runtime_fields.test.tsx | 0 .../application/components/mappings_editor/_index.scss | 0 .../components/mappings_editor/components/_index.scss | 0 .../components/mappings_editor/components/code_block.tsx | 0 .../components/configuration_form/configuration_form.tsx | 0 .../configuration_form/configuration_form_schema.tsx | 0 .../configuration_serialization.test.ts | 0 .../dynamic_mapping_section/dynamic_mapping_section.tsx | 0 .../configuration_form/dynamic_mapping_section/index.ts | 0 .../components/configuration_form/index.ts | 0 .../configuration_form/mapper_size_plugin_section.tsx | 0 .../configuration_form/meta_field_section/index.ts | 0 .../meta_field_section/meta_field_section.tsx | 0 .../components/configuration_form/routing_section.tsx | 0 .../configuration_form/source_field_section/constants.ts | 0 .../source_field_section/i18n_texts.ts | 0 .../configuration_form/source_field_section/index.ts | 0 .../source_field_section/source_field_section.tsx | 0 .../components/configuration_form/subobjects_section.tsx | 0 .../components/document_fields/_index.scss | 0 .../components/document_fields/document_fields.tsx | 0 .../document_fields/document_fields_header.tsx | 0 .../document_fields/document_fields_search.tsx | 0 .../document_fields/editor_toggle_controls.tsx | 0 .../field_parameters/analyzer_parameter.tsx | 0 .../field_parameters/analyzer_parameter_selects.tsx | 0 .../field_parameters/analyzers_parameter.tsx | 0 .../document_fields/field_parameters/boost_parameter.tsx | 0 .../field_parameters/coerce_number_parameter.tsx | 0 .../field_parameters/coerce_shape_parameter.tsx | 0 .../field_parameters/copy_to_parameter.tsx | 0 .../field_parameters/doc_values_parameter.tsx | 0 .../field_parameters/dynamic_parameter.tsx | 0 .../field_parameters/eager_global_ordinals_parameter.tsx | 0 .../field_parameters/enabled_parameter.tsx | 0 .../fielddata_frequency_filter_absolute.tsx | 0 .../fielddata_frequency_filter_percentage.tsx | 0 .../field_parameters/fielddata_parameter.tsx | 0 .../field_parameters/format_parameter.tsx | 0 .../field_parameters/ignore_above_parameter.tsx | 0 .../field_parameters/ignore_malformed.tsx | 0 .../field_parameters/ignore_z_value_parameter.tsx | 0 .../components/document_fields/field_parameters/index.ts | 0 .../document_fields/field_parameters/index_parameter.tsx | 0 .../field_parameters/locale_parameter.tsx | 0 .../field_parameters/max_shingle_size_parameter.tsx | 0 .../document_fields/field_parameters/meta_parameter.tsx | 0 .../document_fields/field_parameters/name_parameter.tsx | 0 .../document_fields/field_parameters/norms_parameter.tsx | 0 .../field_parameters/null_value_parameter.tsx | 0 .../field_parameters/orientation_parameter.tsx | 0 .../field_parameters/other_type_json_parameter.tsx | 0 .../field_parameters/other_type_name_parameter.tsx | 0 .../document_fields/field_parameters/path_parameter.tsx | 0 .../field_parameters/reference_field_selects.tsx | 0 .../field_parameters/relations_parameter.tsx | 0 .../field_parameters/select_inference_id.tsx | 0 .../field_parameters/similarity_parameter.tsx | 0 .../split_queries_on_whitespace_parameter.tsx | 0 .../document_fields/field_parameters/store_parameter.tsx | 0 .../field_parameters/subobjects_parameter.tsx | 0 .../field_parameters/subtype_parameter.tsx | 0 .../field_parameters/term_vector_parameter.tsx | 0 .../document_fields/field_parameters/type_parameter.tsx | 0 .../document_fields/fields/_field_list_item.scss | 0 .../components/document_fields/fields/_index.scss | 0 .../document_fields/fields/create_field/create_field.tsx | 0 .../document_fields/fields/create_field/index.ts | 0 .../required_parameters_forms/alias_type.tsx | 0 .../required_parameters_forms/dense_vector_type.tsx | 0 .../create_field/required_parameters_forms/index.ts | 0 .../required_parameters_forms/scaled_float_type.tsx | 0 .../required_parameters_forms/token_count_type.tsx | 0 .../create_field/semantic_text/use_semantic_text.test.ts | 0 .../create_field/semantic_text/use_semantic_text.ts | 0 .../document_fields/fields/delete_field_provider.tsx | 0 .../fields/edit_field/_edit_field_form_row.scss | 0 .../document_fields/fields/edit_field/_index.scss | 0 .../fields/edit_field/advanced_parameters_section.tsx | 0 .../fields/edit_field/basic_parameters_section.tsx | 0 .../document_fields/fields/edit_field/edit_field.tsx | 0 .../fields/edit_field/edit_field_container.tsx | 0 .../fields/edit_field/edit_field_form_row.tsx | 0 .../fields/edit_field/edit_field_header_form.tsx | 0 .../fields/edit_field/field_description_section.tsx | 0 .../document_fields/fields/edit_field/index.ts | 0 .../fields/edit_field/use_update_field.ts | 0 .../document_fields/fields/field_beta_badge.tsx | 0 .../document_fields/fields/field_types/alias_type.tsx | 0 .../document_fields/fields/field_types/binary_type.tsx | 0 .../document_fields/fields/field_types/boolean_type.tsx | 0 .../fields/field_types/completion_type.tsx | 0 .../fields/field_types/constant_keyword_type.tsx | 0 .../document_fields/fields/field_types/date_type.tsx | 0 .../fields/field_types/dense_vector_type.tsx | 0 .../fields/field_types/flattened_type.tsx | 0 .../fields/field_types/geo_point_type.tsx | 0 .../fields/field_types/geo_shape_type.tsx | 0 .../fields/field_types/histogram_type.tsx | 0 .../document_fields/fields/field_types/index.ts | 0 .../document_fields/fields/field_types/ip_type.tsx | 0 .../document_fields/fields/field_types/join_type.tsx | 0 .../document_fields/fields/field_types/keyword_type.tsx | 0 .../document_fields/fields/field_types/nested_type.tsx | 0 .../document_fields/fields/field_types/numeric_type.tsx | 0 .../document_fields/fields/field_types/object_type.tsx | 0 .../document_fields/fields/field_types/other_type.tsx | 0 .../fields/field_types/passthrough_type.tsx | 0 .../document_fields/fields/field_types/point_type.tsx | 0 .../document_fields/fields/field_types/range_type.tsx | 0 .../fields/field_types/rank_feature_type.tsx | 0 .../fields/field_types/search_as_you_type.tsx | 0 .../document_fields/fields/field_types/shape_type.tsx | 0 .../document_fields/fields/field_types/text_type.tsx | 0 .../fields/field_types/token_count_type.tsx | 0 .../document_fields/fields/field_types/version_type.tsx | 0 .../document_fields/fields/field_types/wildcard_type.tsx | 0 .../components/document_fields/fields/fields_list.tsx | 0 .../document_fields/fields/fields_list_item.tsx | 0 .../fields/fields_list_item_container.tsx | 0 .../components/document_fields/fields/index.ts | 0 .../fields/modal_confirmation_delete_fields.tsx | 0 .../components/document_fields/fields_json_editor.tsx | 0 .../components/document_fields/fields_tree_editor.tsx | 0 .../mappings_editor/components/document_fields/index.ts | 0 .../components/document_fields/search_fields/index.ts | 0 .../document_fields/search_fields/search_result.test.tsx | 0 .../document_fields/search_fields/search_result.tsx | 0 .../search_fields/search_result_item.test.tsx | 0 .../document_fields/search_fields/search_result_item.tsx | 0 .../mappings_editor/components/fields_tree.tsx | 0 .../components/mappings_editor/components/index.ts | 0 .../mappings_editor/components/load_mappings/index.ts | 0 .../components/load_mappings/load_from_json_button.tsx | 0 .../load_mappings/load_mappings_provider.test.tsx | 0 .../components/load_mappings/load_mappings_provider.tsx | 0 .../components/multiple_mappings_warning.tsx | 0 .../components/runtime_fields/delete_field_provider.tsx | 0 .../components/runtime_fields/empty_prompt.tsx | 0 .../mappings_editor/components/runtime_fields/index.ts | 0 .../components/runtime_fields/runtime_fields_list.tsx | 0 .../runtime_fields/runtimefields_list_item.tsx | 0 .../runtime_fields/runtimefields_list_item_container.tsx | 0 .../mappings_editor/components/templates_form/index.ts | 0 .../components/templates_form/templates_form.tsx | 0 .../components/templates_form/templates_form_schema.ts | 0 .../components/mappings_editor/components/tree/index.ts | 0 .../components/mappings_editor/components/tree/tree.tsx | 0 .../mappings_editor/components/tree/tree_item.tsx | 0 .../components/mappings_editor/config_context.tsx | 0 .../mappings_editor/constants/data_types_definition.tsx | 0 .../mappings_editor/constants/default_values.ts | 0 .../mappings_editor/constants/field_options.tsx | 0 .../mappings_editor/constants/field_options_i18n.ts | 0 .../components/mappings_editor/constants/index.ts | 0 .../mappings_editor/constants/mappings_editor.ts | 0 .../mappings_editor/constants/parameters_definition.tsx | 0 .../application/components/mappings_editor/index.ts | 0 .../components/mappings_editor/lib/error_reporter.ts | 0 .../lib/extract_mappings_definition.test.ts | 0 .../mappings_editor/lib/extract_mappings_definition.ts | 0 .../application/components/mappings_editor/lib/index.ts | 0 .../mappings_editor/lib/mappings_validator.test.ts | 0 .../components/mappings_editor/lib/mappings_validator.ts | 0 .../components/mappings_editor/lib/search_fields.test.ts | 0 .../components/mappings_editor/lib/search_fields.tsx | 0 .../components/mappings_editor/lib/serializers.ts | 0 .../components/mappings_editor/lib/utils.test.ts | 0 .../application/components/mappings_editor/lib/utils.ts | 0 .../components/mappings_editor/lib/validators.ts | 0 .../components/mappings_editor/mappings_editor.tsx | 0 .../mappings_editor/mappings_editor_context.tsx | 0 .../mappings_editor/mappings_state_context.tsx | 0 .../application/components/mappings_editor/reducer.ts | 0 .../components/mappings_editor/shared_imports.ts | 0 .../components/mappings_editor/types/document_fields.ts | 0 .../components/mappings_editor/types/index.ts | 0 .../components/mappings_editor/types/mappings_editor.ts | 0 .../components/mappings_editor/types/state.ts | 0 .../components/mappings_editor/use_state_listener.tsx | 0 .../public/application/components/no_match/index.ts | 0 .../public/application/components/no_match/no_match.tsx | 0 .../public/application/components/section_error.tsx | 0 .../components/shared/components/details_panel/index.ts | 0 .../shared/components/details_panel/tab_aliases.tsx | 0 .../shared/components/details_panel/tab_mappings.tsx | 0 .../shared/components/details_panel/tab_settings.tsx | 0 .../application/components/shared/components/index.ts | 0 .../shared/components/template_content_indicator.tsx | 0 .../components/shared/components/wizard_steps/index.ts | 0 .../shared/components/wizard_steps/step_aliases.tsx | 0 .../components/wizard_steps/step_aliases_container.tsx | 0 .../shared/components/wizard_steps/step_mappings.tsx | 0 .../components/wizard_steps/step_mappings_container.tsx | 0 .../shared/components/wizard_steps/step_settings.tsx | 0 .../components/wizard_steps/step_settings_container.tsx | 0 .../components/shared/components/wizard_steps/types.ts | 0 .../shared/components/wizard_steps/use_json_step.ts | 0 .../application/components/shared/fields/unit_field.tsx | 0 .../public/application/components/shared/index.ts | 0 .../application/components/template_delete_modal.tsx | 0 .../public/application/components/template_form/index.ts | 0 .../application/components/template_form/steps/index.ts | 0 .../components/template_form/steps/step_components.tsx | 0 .../template_form/steps/step_components_container.tsx | 0 .../components/template_form/steps/step_logistics.tsx | 0 .../template_form/steps/step_logistics_container.tsx | 0 .../components/template_form/steps/step_review.tsx | 0 .../template_form/steps/step_review_container.tsx | 0 .../components/template_form/template_form.tsx | 0 .../components/template_form/template_form_schemas.tsx | 0 .../public/application/constants/ilm_locator.ts | 0 .../public/application/constants/index.ts | 0 .../public/application/constants/time_units.ts | 0 .../public/application/hooks/redirect_path.test.tsx | 0 .../public/application/hooks/redirect_path.tsx | 0 .../public/application/hooks/use_index_errors.ts | 0 .../application/hooks/use_state_with_localstorage.ts | 0 .../index_management/public/application/index.tsx | 0 .../lib/__snapshots__/flatten_object.test.ts.snap | 0 .../public/application/lib/data_streams.test.tsx | 0 .../public/application/lib/data_streams.tsx | 0 .../public/application/lib/discover_link.test.tsx | 0 .../public/application/lib/discover_link.tsx | 0 .../public/application/lib/edit_settings.ts | 0 .../public/application/lib/flatten_object.test.ts | 0 .../public/application/lib/flatten_object.ts | 0 .../public/application/lib/flatten_panel_tree.js | 0 .../public/application/lib/index_mode_labels.ts | 0 .../public/application/lib/index_status_labels.js | 0 .../public/application/lib/index_templates.ts | 0 .../index_management/public/application/lib/indices.ts | 0 .../public/application/lib/render_badges.tsx | 0 .../public/application/mount_management_section.ts | 0 .../enrich_policy_create/create_policy_context.tsx | 0 .../enrich_policy_create/create_policy_wizard.tsx | 0 .../enrich_policy_create/enrich_policy_create.tsx | 0 .../application/sections/enrich_policy_create/index.ts | 0 .../enrich_policy_create/steps/configuration.tsx | 0 .../sections/enrich_policy_create/steps/create.tsx | 0 .../enrich_policy_create/steps/field_selection.tsx | 0 .../steps/fields/indices_selector.tsx | 0 .../sections/enrich_policy_create/steps/index.ts | 0 .../sections/home/components/filter_list_button.tsx | 0 .../public/application/sections/home/components/index.ts | 0 .../data_stream_actions_menu.tsx | 0 .../data_stream_list/data_stream_actions_menu/index.ts | 0 .../home/data_stream_list/data_stream_badges.tsx | 0 .../data_stream_detail_panel.tsx | 0 .../data_stream_list/data_stream_detail_panel/index.ts | 0 .../sections/home/data_stream_list/data_stream_list.tsx | 0 .../data_stream_table/data_stream_table.tsx | 0 .../home/data_stream_list/data_stream_table/index.ts | 0 .../delete_data_stream_confirmation_modal.tsx | 0 .../delete_data_stream_confirmation_modal/index.ts | 0 .../edit_data_retention_modal.tsx | 0 .../data_stream_list/edit_data_retention_modal/index.ts | 0 .../edit_data_retention_modal/mixed_indices_callout.tsx | 0 .../data_stream_list/edit_data_retention_modal/schema.ts | 0 .../edit_data_retention_modal/validations.test.ts | 0 .../edit_data_retention_modal/validations.ts | 0 .../home/data_stream_list/humanize_time_stamp.ts | 0 .../application/sections/home/data_stream_list/index.ts | 0 .../confirm_modals/delete_policy_modal.tsx | 0 .../confirm_modals/execute_policy_modal.tsx | 0 .../home/enrich_policies_list/confirm_modals/index.ts | 0 .../home/enrich_policies_list/details_flyout/index.ts | 0 .../details_flyout/policy_details_flyout.tsx | 0 .../enrich_policies_list/empty_states/empty_state.tsx | 0 .../enrich_policies_list/empty_states/error_state.tsx | 0 .../home/enrich_policies_list/empty_states/index.ts | 0 .../enrich_policies_list/empty_states/loading_state.tsx | 0 .../home/enrich_policies_list/enrich_policies_list.tsx | 0 .../sections/home/enrich_policies_list/index.ts | 0 .../home/enrich_policies_list/policies_table/index.ts | 0 .../policies_table/policies_table.tsx | 0 .../public/application/sections/home/home.tsx | 0 .../public/application/sections/home/index.ts | 0 .../home/index_list/create_index/create_index_button.tsx | 0 .../home/index_list/create_index/create_index_modal.tsx | 0 .../sections/home/index_list/create_index/utils.test.ts | 0 .../sections/home/index_list/create_index/utils.ts | 0 .../home/index_list/details_page/details_page.tsx | 0 .../index_list/details_page/details_page_content.tsx | 0 .../home/index_list/details_page/details_page_error.tsx | 0 .../details_page/details_page_filter_fields.tsx | 0 .../index_list/details_page/details_page_mappings.tsx | 0 .../details_page/details_page_mappings_content.tsx | 0 .../details_page_overview/aliases_details.tsx | 0 .../details_page_overview/data_stream_details.tsx | 0 .../details_page_overview/details_page_overview.tsx | 0 .../details_page/details_page_overview/index.ts | 0 .../details_page/details_page_overview/languages.ts | 0 .../details_page/details_page_overview/overview_card.tsx | 0 .../details_page_overview/size_doc_count_details.tsx | 0 .../details_page_overview/status_details.tsx | 0 .../details_page_overview/storage_details.tsx | 0 .../index_list/details_page/details_page_settings.tsx | 0 .../details_page/details_page_settings_content.tsx | 0 .../home/index_list/details_page/details_page_stats.tsx | 0 .../home/index_list/details_page/details_page_tab.tsx | 0 .../sections/home/index_list/details_page/index.tsx | 0 .../home/index_list/details_page/index_error_callout.tsx | 0 .../home/index_list/details_page/manage_index_button.tsx | 0 .../index_list/details_page/reset_index_url_params.ts | 0 .../index_list/details_page/semantic_text_banner.tsx | 0 .../details_page/trained_models_deployment_modal.tsx | 0 .../index_mapping_with_context.tsx | 0 .../index_mapping_with_context_types.tsx | 0 .../index_mappings_embeddable.tsx | 0 .../index_settings_embeddable.tsx | 0 .../index_settings_with_context.tsx | 0 .../index_settings_with_context_types.tsx | 0 .../public/application/sections/home/index_list/index.ts | 0 .../home/index_list/index_actions_context_menu/index.js | 0 .../index_actions_context_menu.container.js | 0 .../index_actions_context_menu.d.ts | 0 .../index_actions_context_menu.js | 0 .../application/sections/home/index_list/index_list.tsx | 0 .../sections/home/index_list/index_table/index.ts | 0 .../index_list/index_table/index_table.container.d.ts | 0 .../home/index_list/index_table/index_table.container.js | 0 .../sections/home/index_list/index_table/index_table.js | 0 .../index_list/index_table/index_table_pagination.tsx | 0 .../sections/home/template_list/components/index.ts | 0 .../components/template_deprecated_badge.tsx | 0 .../template_list/components/template_type_indicator.tsx | 0 .../application/sections/home/template_list/index.ts | 0 .../legacy_templates/template_table/index.ts | 0 .../legacy_templates/template_table/template_table.tsx | 0 .../home/template_list/template_details/index.ts | 0 .../home/template_list/template_details/tabs/index.ts | 0 .../template_list/template_details/tabs/tab_preview.tsx | 0 .../template_list/template_details/tabs/tab_summary.tsx | 0 .../template_list/template_details/template_details.tsx | 0 .../template_details/template_details_content.tsx | 0 .../sections/home/template_list/template_list.tsx | 0 .../sections/home/template_list/template_table/index.ts | 0 .../home/template_list/template_table/template_table.tsx | 0 .../public/application/sections/template_clone/index.ts | 0 .../sections/template_clone/template_clone.tsx | 0 .../public/application/sections/template_create/index.ts | 0 .../sections/template_create/template_create.tsx | 0 .../public/application/sections/template_edit/index.ts | 0 .../application/sections/template_edit/template_edit.tsx | 0 .../index_management/public/application/services/api.ts | 0 .../public/application/services/breadcrumbs.ts | 0 .../public/application/services/documentation.ts | 0 .../index_management/public/application/services/http.ts | 0 .../public/application/services/index.ts | 0 .../public/application/services/notification.ts | 0 .../public/application/services/routing.test.ts | 0 .../public/application/services/routing.ts | 0 .../public/application/services/sort_table.test.ts | 0 .../public/application/services/sort_table.ts | 0 .../public/application/services/ui_metric.ts | 0 .../public/application/services/use_ilm_locator.ts | 0 .../public/application/services/use_request.ts | 0 .../public/application/shared/parse_mappings.ts | 0 .../application/store/actions/clear_cache_indices.js | 0 .../public/application/store/actions/clear_row_status.js | 0 .../public/application/store/actions/close_indices.js | 0 .../public/application/store/actions/delete_indices.js | 0 .../public/application/store/actions/extension_action.js | 0 .../public/application/store/actions/flush_indices.js | 0 .../application/store/actions/forcemerge_indices.js | 0 .../public/application/store/actions/index.js | 0 .../public/application/store/actions/load_indices.js | 0 .../public/application/store/actions/open_indices.js | 0 .../public/application/store/actions/refresh_indices.js | 0 .../public/application/store/actions/reload_indices.js | 0 .../public/application/store/actions/table_state.js | 0 .../public/application/store/actions/unfreeze_indices.js | 0 .../index_management/public/application/store/index.ts | 0 .../public/application/store/reducers/index.js | 0 .../application/store/reducers/index_management.js | 0 .../public/application/store/reducers/indices.js | 0 .../public/application/store/reducers/row_status.js | 0 .../public/application/store/reducers/table_state.js | 0 .../application/store/selectors/extension_service.ts | 0 .../public/application/store/selectors/index.d.ts | 0 .../public/application/store/selectors/index.js | 0 .../application/store/selectors/indices_filter.test.ts | 0 .../index_management/public/application/store/store.d.ts | 0 .../index_management/public/application/store/store.js | 0 .../shared}/index_management/public/assets/curl.svg | 0 .../shared}/index_management/public/assets/go.svg | 0 .../index_management/public/assets/javascript.svg | 0 .../shared}/index_management/public/assets/php.svg | 0 .../shared}/index_management/public/assets/python.svg | 0 .../shared}/index_management/public/assets/ruby.svg | 0 .../use_details_page_mappings_model_management.test.ts | 0 .../hooks/use_details_page_mappings_model_management.ts | 0 .../public/hooks/use_ml_model_status_toasts.ts | 0 .../plugins/shared}/index_management/public/index.scss | 0 .../plugins/shared}/index_management/public/index.ts | 0 .../shared}/index_management/public/locator.test.ts | 0 .../plugins/shared}/index_management/public/locator.ts | 0 .../plugins/shared}/index_management/public/mocks.ts | 0 .../plugins/shared}/index_management/public/plugin.ts | 0 .../public/services/extensions_service.mock.ts | 0 .../public/services/extensions_service.ts | 0 .../shared}/index_management/public/services/index.ts | 0 .../public/services/public_api_service.mock.ts | 0 .../public/services/public_api_service.ts | 0 .../shared}/index_management/public/shared_imports.ts | 0 .../plugins/shared}/index_management/public/types.ts | 0 .../plugins/shared}/index_management/server/config.ts | 0 .../plugins/shared}/index_management/server/index.ts | 0 .../server/lib/data_stream_serialization.ts | 0 .../index_management/server/lib/enrich_policies.test.ts | 0 .../index_management/server/lib/enrich_policies.ts | 0 .../index_management/server/lib/fetch_indices.test.ts | 0 .../shared}/index_management/server/lib/fetch_indices.ts | 0 .../index_management/server/lib/get_managed_templates.ts | 0 .../plugins/shared}/index_management/server/lib/types.ts | 0 .../plugins/shared}/index_management/server/plugin.ts | 0 .../server/routes/api/component_templates/index.ts | 0 .../api/component_templates/register_create_route.ts | 0 .../api/component_templates/register_datastream_route.ts | 0 .../api/component_templates/register_delete_route.ts | 0 .../routes/api/component_templates/register_get_route.ts | 0 .../api/component_templates/register_update_route.ts | 0 .../routes/api/component_templates/schema_validation.ts | 0 .../server/routes/api/data_streams/data_streams.test.ts | 0 .../server/routes/api/data_streams/index.ts | 0 .../routes/api/data_streams/register_delete_route.ts | 0 .../server/routes/api/data_streams/register_get_route.ts | 0 .../routes/api/data_streams/register_post_route.ts | 0 .../server/routes/api/data_streams/register_put_route.ts | 0 .../routes/api/enrich_policies/enrich_policies.test.ts | 0 .../server/routes/api/enrich_policies/helpers.test.ts | 0 .../server/routes/api/enrich_policies/helpers.ts | 0 .../server/routes/api/enrich_policies/index.ts | 0 .../routes/api/enrich_policies/register_create_route.ts | 0 .../routes/api/enrich_policies/register_delete_route.ts | 0 .../enrich_policies/register_enrich_policies_routes.ts | 0 .../routes/api/enrich_policies/register_execute_route.ts | 0 .../routes/api/enrich_policies/register_list_route.ts | 0 .../enrich_policies/register_privileges_route.test.ts | 0 .../api/enrich_policies/register_privileges_route.ts | 0 .../shared}/index_management/server/routes/api/index.ts | 0 .../server/routes/api/indices/helpers.test.ts | 0 .../server/routes/api/indices/helpers.ts | 0 .../index_management/server/routes/api/indices/index.ts | 0 .../routes/api/indices/register_clear_cache_route.ts | 0 .../server/routes/api/indices/register_close_route.ts | 0 .../server/routes/api/indices/register_create_route.ts | 0 .../server/routes/api/indices/register_delete_route.ts | 0 .../server/routes/api/indices/register_flush_route.ts | 0 .../routes/api/indices/register_forcemerge_route.ts | 0 .../server/routes/api/indices/register_get_route.ts | 0 .../server/routes/api/indices/register_indices_routes.ts | 0 .../server/routes/api/indices/register_list_route.ts | 0 .../server/routes/api/indices/register_open_route.ts | 0 .../server/routes/api/indices/register_refresh_route.ts | 0 .../server/routes/api/indices/register_reload_route.ts | 0 .../server/routes/api/indices/register_unfreeze_route.ts | 0 .../server/routes/api/inference_models/index.ts | 0 .../routes/api/inference_models/register_get_route.ts | 0 .../api/inference_models/register_inference_route.ts | 0 .../index_management/server/routes/api/mapping/index.ts | 0 .../routes/api/mapping/register_index_mapping_route.ts | 0 .../server/routes/api/mapping/register_mapping_route.ts | 0 .../routes/api/mapping/register_update_mapping_route.ts | 0 .../index_management/server/routes/api/nodes/index.ts | 0 .../server/routes/api/nodes/register_nodes_route.test.ts | 0 .../server/routes/api/nodes/register_nodes_route.ts | 0 .../index_management/server/routes/api/settings/index.ts | 0 .../server/routes/api/settings/register_load_route.ts | 0 .../routes/api/settings/register_settings_routes.ts | 0 .../server/routes/api/settings/register_update_route.ts | 0 .../index_management/server/routes/api/stats/index.ts | 0 .../server/routes/api/stats/register_stats_route.ts | 0 .../server/routes/api/templates/index.ts | 0 .../index_management/server/routes/api/templates/lib.ts | 0 .../server/routes/api/templates/register_create_route.ts | 0 .../server/routes/api/templates/register_delete_route.ts | 0 .../server/routes/api/templates/register_get_routes.ts | 0 .../routes/api/templates/register_simulate_route.ts | 0 .../routes/api/templates/register_template_routes.ts | 0 .../server/routes/api/templates/register_update_route.ts | 0 .../server/routes/api/templates/validate_schemas.ts | 0 .../shared}/index_management/server/routes/index.ts | 0 .../shared}/index_management/server/services/index.ts | 0 .../server/services/index_data_enricher.ts | 0 .../shared}/index_management/server/shared_imports.ts | 0 .../index_management/server/test/helpers/index.ts | 0 .../server/test/helpers/indices_fixtures.ts | 0 .../server/test/helpers/policies_fixtures.ts | 0 .../server/test/helpers/route_dependencies.ts | 0 .../index_management/server/test/helpers/router_mock.ts | 0 .../plugins/shared}/index_management/server/types.ts | 0 .../shared}/index_management/test/fixtures/index.ts | 0 .../shared}/index_management/test/fixtures/template.ts | 0 .../plugins/shared}/index_management/tsconfig.json | 4 ++-- yarn.lock | 2 +- 662 files changed, 16 insertions(+), 16 deletions(-) rename x-pack/{plugins => platform/plugins/shared}/index_management/README.md (98%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/fixtures.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/http_requests.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/mocks.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/setup_environment.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/helpers/test_subjects.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/data_streams_project_level_retention.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/data_streams_tab.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/data_streams_tab.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/enrich_policies.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/enrich_policies.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/home.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/home.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/index_templates_tab.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/index_templates_tab.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/indices_tab.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/home/indices_tab.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/index_details_page.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/index_details_page.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/mocks.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/select_inference_id.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/semantic_text_bannner.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_details_page/trained_models_deployment_modal.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/constants.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_clone.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_clone.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_create.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_edit.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/components/__snapshots__/index_table.test.js.snap (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/__jest__/components/index_table.test.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/allow_auto_create.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/api_base_path.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/base_path.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/index_modes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/index_statuses.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/invalid_characters.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/constants/ui_metric.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/index.ts (91%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/component_template_serialization.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/component_template_serialization.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/data_stream_utils.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/data_stream_utils.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/enrich_policies.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/template_serialization.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/template_serialization.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/utils.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/lib/utils.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/aliases.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/component_templates.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/data_streams.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/enrich_policies.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/indices.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/mappings.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/common/types/templates.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/jest.config.js (53%) rename x-pack/{plugins => platform/plugins/shared}/index_management/kibana.jsonc (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/app.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/app_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_create.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_details.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_edit.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_list.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_create.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_details.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_edit.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_form.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_list.helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/constants.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/http_requests.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/setup_environment.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/__jest__/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_details/component_template_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_details/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_details/manage_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_details/tab_summary.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_details/tabs.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/component_template_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/component_template_list_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/delete_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/empty_prompt.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_list/table.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_selection.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/components/create_button_popover.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/components/filter_list_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_selector/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/component_template_clone.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/component_template_create.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/mappings_datastreams_rollover_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/component_template_edit.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/component_template_form.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_schema.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/component_templates_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/components/deprecated_badge.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/constants.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/lib/api.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/lib/documentation.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/lib/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/lib/request.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/component_templates/shared_imports.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/data_health.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/enrich_policies/auth_provider.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/legacy_index_template_deprecation.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/shared_imports.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/simulate_template/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/simulate_template/simulate_template.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/index_templates/simulate_template/simulate_template_flyout.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/configuration_form.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/date_range_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/other_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/point_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/scaled_float_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/shape_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/text_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/version_datatype.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/edit_field.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/setup_environment.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/mapped_fields.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/_index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/_index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/code_block.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form_schema.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_serialization.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/dynamic_mapping_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/mapper_size_plugin_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/meta_field_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/routing_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/constants.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/i18n_texts.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/source_field_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/configuration_form/subobjects_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/_index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/document_fields.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_header.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_search.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/editor_toggle_controls.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter_selects.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzers_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/boost_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_number_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_shape_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/copy_to_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/doc_values_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/dynamic_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/eager_global_ordinals_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/enabled_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_absolute.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_percentage.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/format_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_above_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_malformed.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_z_value_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/locale_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/max_shingle_size_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/meta_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/name_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/norms_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/null_value_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/orientation_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_json_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_name_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/path_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/reference_field_selects.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/relations_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/select_inference_id.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/similarity_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/split_queries_on_whitespace_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/store_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subobjects_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subtype_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/term_vector_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/type_parameter.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/_field_list_item.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/_index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/create_field.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/alias_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/dense_vector_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/scaled_float_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/token_count_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/delete_field_provider.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_edit_field_form_row.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/advanced_parameters_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/basic_parameters_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_form_row.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_header_form.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/field_description_section.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/use_update_field.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_beta_badge.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/alias_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/binary_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/boolean_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/completion_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/constant_keyword_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/date_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/dense_vector_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/flattened_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_point_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_shape_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/histogram_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/ip_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/join_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/keyword_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/nested_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/numeric_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/object_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/other_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/passthrough_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/point_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/range_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/rank_feature_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/search_as_you_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/shape_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/text_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/token_count_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/version_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/wildcard_type.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields/modal_confirmation_delete_fields.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields_json_editor.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/fields_tree_editor.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/fields_tree.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/load_mappings/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/load_mappings/load_from_json_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/multiple_mappings_warning.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/delete_field_provider.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/empty_prompt.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/runtime_fields_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/templates_form/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/templates_form/templates_form.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/templates_form/templates_form_schema.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/tree/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/tree/tree.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/components/tree/tree_item.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/config_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/data_types_definition.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/default_values.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/field_options.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/field_options_i18n.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/mappings_editor.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/constants/parameters_definition.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/error_reporter.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/mappings_validator.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/mappings_validator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/search_fields.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/search_fields.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/serializers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/utils.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/utils.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/lib/validators.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/mappings_editor.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/mappings_editor_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/mappings_state_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/reducer.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/shared_imports.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/types/document_fields.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/types/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/types/mappings_editor.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/types/state.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/mappings_editor/use_state_listener.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/no_match/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/no_match/no_match.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/section_error.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/details_panel/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/details_panel/tab_aliases.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/details_panel/tab_mappings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/details_panel/tab_settings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/template_content_indicator.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_aliases.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_aliases_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_mappings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_mappings_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_settings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/step_settings_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/components/wizard_steps/use_json_step.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/fields/unit_field.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/shared/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_delete_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_components.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_components_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_logistics.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_logistics_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_review.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/steps/step_review_container.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/template_form.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/components/template_form/template_form_schemas.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/constants/ilm_locator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/constants/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/constants/time_units.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/hooks/redirect_path.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/hooks/redirect_path.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/hooks/use_index_errors.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/hooks/use_state_with_localstorage.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/index.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/__snapshots__/flatten_object.test.ts.snap (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/data_streams.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/data_streams.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/discover_link.test.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/discover_link.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/edit_settings.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/flatten_object.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/flatten_object.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/flatten_panel_tree.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/index_mode_labels.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/index_status_labels.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/index_templates.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/indices.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/lib/render_badges.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/mount_management_section.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/create_policy_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/create_policy_wizard.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/enrich_policy_create.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/steps/configuration.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/steps/create.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/steps/field_selection.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/steps/fields/indices_selector.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/enrich_policy_create/steps/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/components/filter_list_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/data_stream_actions_menu.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_badges.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/data_stream_detail_panel.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_table/data_stream_table.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/data_stream_table/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/delete_data_stream_confirmation_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/edit_data_retention_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/mixed_indices_callout.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/schema.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/humanize_time_stamp.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/data_stream_list/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/delete_policy_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/execute_policy_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/details_flyout/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/details_flyout/policy_details_flyout.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/empty_states/empty_state.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/empty_states/error_state.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/empty_states/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/empty_states/loading_state.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/enrich_policies_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/policies_table/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/enrich_policies_list/policies_table/policies_table.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/home.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/create_index/create_index_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/create_index/create_index_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/create_index/utils.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/create_index/utils.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_content.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_error.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_filter_fields.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_mappings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_mappings_content.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/aliases_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/data_stream_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/details_page_overview.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/languages.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/overview_card.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/size_doc_count_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/status_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_overview/storage_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_settings.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_settings_content.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_stats.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/details_page_tab.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/index.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/index_error_callout.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/manage_index_button.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/reset_index_url_params.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/semantic_text_banner.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/trained_models_deployment_modal.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context_types.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mappings_embeddable.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_embeddable.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context_types.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_actions_context_menu/index.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.container.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.d.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_table/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_table/index_table.container.d.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_table/index_table.container.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_table/index_table.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/index_list/index_table/index_table_pagination.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/components/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/components/template_deprecated_badge.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/components/template_type_indicator.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/legacy_templates/template_table/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/legacy_templates/template_table/template_table.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/tabs/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/tabs/tab_preview.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/tabs/tab_summary.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/template_details.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_details/template_details_content.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_list.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_table/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/home/template_list/template_table/template_table.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_clone/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_clone/template_clone.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_create/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_create/template_create.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_edit/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/sections/template_edit/template_edit.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/api.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/breadcrumbs.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/documentation.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/http.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/notification.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/routing.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/routing.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/sort_table.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/sort_table.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/ui_metric.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/use_ilm_locator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/services/use_request.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/shared/parse_mappings.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/clear_cache_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/clear_row_status.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/close_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/delete_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/extension_action.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/flush_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/forcemerge_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/index.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/load_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/open_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/refresh_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/reload_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/table_state.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/actions/unfreeze_indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/reducers/index.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/reducers/index_management.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/reducers/indices.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/reducers/row_status.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/reducers/table_state.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/selectors/extension_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/selectors/index.d.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/selectors/index.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/selectors/indices_filter.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/store.d.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/application/store/store.js (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/curl.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/go.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/javascript.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/php.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/python.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/assets/ruby.svg (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/hooks/use_details_page_mappings_model_management.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/hooks/use_details_page_mappings_model_management.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/hooks/use_ml_model_status_toasts.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/index.scss (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/locator.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/locator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/mocks.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/services/extensions_service.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/services/extensions_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/services/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/services/public_api_service.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/services/public_api_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/shared_imports.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/public/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/config.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/data_stream_serialization.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/enrich_policies.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/enrich_policies.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/fetch_indices.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/fetch_indices.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/get_managed_templates.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/lib/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/register_create_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/register_datastream_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/register_delete_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/register_get_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/register_update_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/component_templates/schema_validation.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/data_streams.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/register_delete_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/register_get_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/register_post_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/data_streams/register_put_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/enrich_policies.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/helpers.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_create_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_delete_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_enrich_policies_routes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_execute_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_list_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/enrich_policies/register_privileges_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/helpers.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/helpers.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_clear_cache_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_close_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_create_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_delete_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_flush_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_forcemerge_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_get_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_indices_routes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_list_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_open_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_refresh_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_reload_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/indices/register_unfreeze_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/inference_models/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/inference_models/register_get_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/inference_models/register_inference_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/mapping/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/mapping/register_index_mapping_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/mapping/register_mapping_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/mapping/register_update_mapping_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/nodes/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/nodes/register_nodes_route.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/nodes/register_nodes_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/settings/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/settings/register_load_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/settings/register_settings_routes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/settings/register_update_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/stats/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/stats/register_stats_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/lib.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_create_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_delete_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_get_routes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_simulate_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_template_routes.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/register_update_route.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/api/templates/validate_schemas.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/routes/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/services/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/services/index_data_enricher.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/shared_imports.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/test/helpers/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/test/helpers/indices_fixtures.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/test/helpers/policies_fixtures.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/test/helpers/route_dependencies.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/test/helpers/router_mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/server/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/test/fixtures/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/test/fixtures/template.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/index_management/tsconfig.json (94%) diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index 655c8ef55079e..c002421bf0e68 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -858,6 +858,7 @@ x-pack/platform/plugins/shared/ai_infra/llm_tasks @elastic/appex-ai-infra x-pack/platform/plugins/shared/ai_infra/product_doc_base @elastic/appex-ai-infra x-pack/platform/plugins/shared/aiops @elastic/ml-ui x-pack/platform/plugins/shared/entity_manager @elastic/obs-entities +x-pack/platform/plugins/shared/index_management @elastic/kibana-management x-pack/platform/plugins/shared/inference @elastic/appex-ai-infra x-pack/platform/plugins/shared/ingest_pipelines @elastic/kibana-management x-pack/platform/plugins/shared/integration_assistant @elastic/security-scalability @@ -894,7 +895,6 @@ x-pack/plugins/global_search @elastic/appex-sharedux x-pack/plugins/global_search_bar @elastic/appex-sharedux x-pack/plugins/global_search_providers @elastic/appex-sharedux x-pack/plugins/graph @elastic/kibana-visualizations -x-pack/plugins/index_management @elastic/kibana-management x-pack/plugins/lens @elastic/kibana-visualizations x-pack/plugins/licensing @elastic/kibana-core x-pack/plugins/logstash @elastic/logstash diff --git a/docs/developer/plugin-list.asciidoc b/docs/developer/plugin-list.asciidoc index 80511095a000f..c05f9514b2fc3 100644 --- a/docs/developer/plugin-list.asciidoc +++ b/docs/developer/plugin-list.asciidoc @@ -640,7 +640,7 @@ which are particularly useful for ingesting logs. Index Management by running this series of requests in Console: -|{kib-repo}blob/{branch}/x-pack/plugins/index_management/README.md[indexManagement] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/index_management/README.md[indexManagement] |This service is exposed from the Index Management setup contract and can be used to add content to the indices list and the index details page. diff --git a/package.json b/package.json index fe6bf82ad0350..937c11ebf3043 100644 --- a/package.json +++ b/package.json @@ -575,7 +575,7 @@ "@kbn/index-adapter": "link:x-pack/solutions/security/packages/index-adapter", "@kbn/index-lifecycle-management-common-shared": "link:x-pack/platform/packages/shared/index-lifecycle-management/index_lifecycle_management_common_shared", "@kbn/index-lifecycle-management-plugin": "link:x-pack/platform/plugins/private/index_lifecycle_management", - "@kbn/index-management-plugin": "link:x-pack/plugins/index_management", + "@kbn/index-management-plugin": "link:x-pack/platform/plugins/shared/index_management", "@kbn/index-management-shared-types": "link:x-pack/platform/packages/shared/index-management/index_management_shared_types", "@kbn/index-patterns-test-plugin": "link:test/plugin_functional/plugins/index_patterns", "@kbn/inference-common": "link:x-pack/platform/packages/shared/ai-infra/inference-common", diff --git a/src/dev/precommit_hook/casing_check_config.js b/src/dev/precommit_hook/casing_check_config.js index 30383559e7fe0..3d90324426247 100644 --- a/src/dev/precommit_hook/casing_check_config.js +++ b/src/dev/precommit_hook/casing_check_config.js @@ -176,7 +176,7 @@ export const TEMPORARILY_IGNORED_PATHS = [ 'src/core/server/core_app/assets/favicons/mstile-310x310.png', 'src/core/server/core_app/assets/favicons/safari-pinned-tab.svg', 'test/functional/apps/management/exports/_import_objects-conflicts.json', - 'x-pack/legacy/plugins/index_management/public/lib/editSettings.js', + 'x-pack/legacy/platform/plugins/shared/index_management/public/lib/editSettings.js', 'x-pack/legacy/platform/plugins/shared/license_management/public/store/reducers/licenseManagement.js', 'x-pack/plugins/monitoring/public/icons/health-gray.svg', 'x-pack/plugins/monitoring/public/icons/health-green.svg', diff --git a/tsconfig.base.json b/tsconfig.base.json index 744538cf60313..1ea36da2d4ba9 100644 --- a/tsconfig.base.json +++ b/tsconfig.base.json @@ -1058,8 +1058,8 @@ "@kbn/index-lifecycle-management-common-shared/*": ["x-pack/platform/packages/shared/index-lifecycle-management/index_lifecycle_management_common_shared/*"], "@kbn/index-lifecycle-management-plugin": ["x-pack/platform/plugins/private/index_lifecycle_management"], "@kbn/index-lifecycle-management-plugin/*": ["x-pack/platform/plugins/private/index_lifecycle_management/*"], - "@kbn/index-management-plugin": ["x-pack/plugins/index_management"], - "@kbn/index-management-plugin/*": ["x-pack/plugins/index_management/*"], + "@kbn/index-management-plugin": ["x-pack/platform/plugins/shared/index_management"], + "@kbn/index-management-plugin/*": ["x-pack/platform/plugins/shared/index_management/*"], "@kbn/index-management-shared-types": ["x-pack/platform/packages/shared/index-management/index_management_shared_types"], "@kbn/index-management-shared-types/*": ["x-pack/platform/packages/shared/index-management/index_management_shared_types/*"], "@kbn/index-patterns-test-plugin": ["test/plugin_functional/plugins/index_patterns"], diff --git a/x-pack/.i18nrc.json b/x-pack/.i18nrc.json index c01b9ef40aed4..c33dd8a1e5ca6 100644 --- a/x-pack/.i18nrc.json +++ b/x-pack/.i18nrc.json @@ -56,7 +56,7 @@ "plugins/graph" ], "xpack.grokDebugger": "platform/plugins/private/grokdebugger", - "xpack.idxMgmt": "plugins/index_management", + "xpack.idxMgmt": "platform/plugins/shared/index_management", "xpack.idxMgmtPackage": "packages/index-management", "xpack.indexLifecycleMgmt": "platform/plugins/private/index_lifecycle_management", "xpack.infra": "plugins/observability_solution/infra", diff --git a/x-pack/plugins/index_management/README.md b/x-pack/platform/plugins/shared/index_management/README.md similarity index 98% rename from x-pack/plugins/index_management/README.md rename to x-pack/platform/plugins/shared/index_management/README.md index bc7047888d2ab..c15e30f080139 100644 --- a/x-pack/plugins/index_management/README.md +++ b/x-pack/platform/plugins/shared/index_management/README.md @@ -61,7 +61,7 @@ relies on additional index data that is not available by default. To make these the `GET /indices` request, an index data enricher can be registered. A data enricher is essentially an extra request that is done for the array of indices and the information is added to the response. Currently, 3 data enrichers are registered by the ILM, Rollup and CCR plugins. Before adding a data enricher, the cost of the additional request should be taken -in consideration (see [this file](https://github.com/elastic/kibana/blob/main/x-pack/plugins/index_management/server/services/index_data_enricher.ts) for more details). +in consideration (see [this file](https://github.com/elastic/kibana/blob/main/x-pack/platform/plugins/shared/index_management/server/services/index_data_enricher.ts) for more details). ## Indices tab diff --git a/x-pack/plugins/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/create_enrich_policy/create_enrich_policy.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/fixtures.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/fixtures.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/fixtures.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/fixtures.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/http_requests.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/http_requests.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/http_requests.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/http_requests.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/index.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/index.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/index.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/index.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/mocks.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/mocks.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/mocks.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/mocks.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/setup_environment.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/setup_environment.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/setup_environment.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/setup_environment.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/helpers/test_subjects.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/test_subjects.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/helpers/test_subjects.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/helpers/test_subjects.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_project_level_retention.test.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_project_level_retention.test.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_project_level_retention.test.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_project_level_retention.test.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_tab.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_tab.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_tab.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_tab.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_tab.test.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_tab.test.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/data_streams_tab.test.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/data_streams_tab.test.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/enrich_policies.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/enrich_policies.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/enrich_policies.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/enrich_policies.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/enrich_policies.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/enrich_policies.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/enrich_policies.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/enrich_policies.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/home.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/home.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/home.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/home.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/home.test.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/home.test.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/home.test.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/home.test.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/index_templates_tab.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/index_templates_tab.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/index_templates_tab.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/index_templates_tab.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/index_templates_tab.test.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/index_templates_tab.test.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/index_templates_tab.test.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/index_templates_tab.test.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/indices_tab.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/indices_tab.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/indices_tab.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/indices_tab.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/home/indices_tab.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/indices_tab.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/home/indices_tab.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/home/indices_tab.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/index_details_page.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/index_details_page.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/index_details_page.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/index_details_page.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/index_details_page.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/index_details_page.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/index_details_page.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/index_details_page.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/mocks.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/mocks.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/mocks.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/mocks.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/select_inference_id.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/select_inference_id.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/select_inference_id.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/select_inference_id.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/semantic_text_bannner.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/semantic_text_bannner.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/semantic_text_bannner.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/semantic_text_bannner.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_details_page/trained_models_deployment_modal.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/trained_models_deployment_modal.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_details_page/trained_models_deployment_modal.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_details_page/trained_models_deployment_modal.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/constants.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/constants.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/constants.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/constants.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_clone.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_clone.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_clone.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_clone.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_clone.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_clone.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_clone.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_clone.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_create.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_create.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_create.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_edit.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_edit.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_edit.test.tsx diff --git a/x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts b/x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts rename to x-pack/platform/plugins/shared/index_management/__jest__/client_integration/index_template_wizard/template_form.helpers.ts diff --git a/x-pack/plugins/index_management/__jest__/components/__snapshots__/index_table.test.js.snap b/x-pack/platform/plugins/shared/index_management/__jest__/components/__snapshots__/index_table.test.js.snap similarity index 100% rename from x-pack/plugins/index_management/__jest__/components/__snapshots__/index_table.test.js.snap rename to x-pack/platform/plugins/shared/index_management/__jest__/components/__snapshots__/index_table.test.js.snap diff --git a/x-pack/plugins/index_management/__jest__/components/index_table.test.js b/x-pack/platform/plugins/shared/index_management/__jest__/components/index_table.test.js similarity index 100% rename from x-pack/plugins/index_management/__jest__/components/index_table.test.js rename to x-pack/platform/plugins/shared/index_management/__jest__/components/index_table.test.js diff --git a/x-pack/plugins/index_management/common/constants/allow_auto_create.ts b/x-pack/platform/plugins/shared/index_management/common/constants/allow_auto_create.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/allow_auto_create.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/allow_auto_create.ts diff --git a/x-pack/plugins/index_management/common/constants/api_base_path.ts b/x-pack/platform/plugins/shared/index_management/common/constants/api_base_path.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/api_base_path.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/api_base_path.ts diff --git a/x-pack/plugins/index_management/common/constants/base_path.ts b/x-pack/platform/plugins/shared/index_management/common/constants/base_path.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/base_path.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/base_path.ts diff --git a/x-pack/plugins/index_management/common/constants/index.ts b/x-pack/platform/plugins/shared/index_management/common/constants/index.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/index.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/index.ts diff --git a/x-pack/plugins/index_management/common/constants/index_modes.ts b/x-pack/platform/plugins/shared/index_management/common/constants/index_modes.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/index_modes.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/index_modes.ts diff --git a/x-pack/plugins/index_management/common/constants/index_statuses.ts b/x-pack/platform/plugins/shared/index_management/common/constants/index_statuses.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/index_statuses.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/index_statuses.ts diff --git a/x-pack/plugins/index_management/common/constants/invalid_characters.ts b/x-pack/platform/plugins/shared/index_management/common/constants/invalid_characters.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/invalid_characters.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/invalid_characters.ts diff --git a/x-pack/plugins/index_management/common/constants/plugin.ts b/x-pack/platform/plugins/shared/index_management/common/constants/plugin.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/plugin.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/plugin.ts diff --git a/x-pack/plugins/index_management/common/constants/ui_metric.ts b/x-pack/platform/plugins/shared/index_management/common/constants/ui_metric.ts similarity index 100% rename from x-pack/plugins/index_management/common/constants/ui_metric.ts rename to x-pack/platform/plugins/shared/index_management/common/constants/ui_metric.ts diff --git a/x-pack/plugins/index_management/common/index.ts b/x-pack/platform/plugins/shared/index_management/common/index.ts similarity index 91% rename from x-pack/plugins/index_management/common/index.ts rename to x-pack/platform/plugins/shared/index_management/common/index.ts index ea1316ed2c185..61bdeb6007ef6 100644 --- a/x-pack/plugins/index_management/common/index.ts +++ b/x-pack/platform/plugins/shared/index_management/common/index.ts @@ -6,7 +6,6 @@ */ // TODO: https://github.com/elastic/kibana/issues/110892 -/* eslint-disable @kbn/eslint/no_export_all */ export { API_BASE_PATH, INTERNAL_API_BASE_PATH, BASE_PATH, MAJOR_VERSION } from './constants'; diff --git a/x-pack/plugins/index_management/common/lib/component_template_serialization.test.ts b/x-pack/platform/plugins/shared/index_management/common/lib/component_template_serialization.test.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/component_template_serialization.test.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/component_template_serialization.test.ts diff --git a/x-pack/plugins/index_management/common/lib/component_template_serialization.ts b/x-pack/platform/plugins/shared/index_management/common/lib/component_template_serialization.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/component_template_serialization.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/component_template_serialization.ts diff --git a/x-pack/plugins/index_management/common/lib/data_stream_utils.test.ts b/x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.test.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/data_stream_utils.test.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.test.ts diff --git a/x-pack/plugins/index_management/common/lib/data_stream_utils.ts b/x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/data_stream_utils.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.ts diff --git a/x-pack/plugins/index_management/common/lib/enrich_policies.ts b/x-pack/platform/plugins/shared/index_management/common/lib/enrich_policies.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/enrich_policies.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/enrich_policies.ts diff --git a/x-pack/plugins/index_management/common/lib/index.ts b/x-pack/platform/plugins/shared/index_management/common/lib/index.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/index.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/index.ts diff --git a/x-pack/plugins/index_management/common/lib/template_serialization.test.ts b/x-pack/platform/plugins/shared/index_management/common/lib/template_serialization.test.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/template_serialization.test.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/template_serialization.test.ts diff --git a/x-pack/plugins/index_management/common/lib/template_serialization.ts b/x-pack/platform/plugins/shared/index_management/common/lib/template_serialization.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/template_serialization.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/template_serialization.ts diff --git a/x-pack/plugins/index_management/common/lib/utils.test.ts b/x-pack/platform/plugins/shared/index_management/common/lib/utils.test.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/utils.test.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/utils.test.ts diff --git a/x-pack/plugins/index_management/common/lib/utils.ts b/x-pack/platform/plugins/shared/index_management/common/lib/utils.ts similarity index 100% rename from x-pack/plugins/index_management/common/lib/utils.ts rename to x-pack/platform/plugins/shared/index_management/common/lib/utils.ts diff --git a/x-pack/plugins/index_management/common/types/aliases.ts b/x-pack/platform/plugins/shared/index_management/common/types/aliases.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/aliases.ts rename to x-pack/platform/plugins/shared/index_management/common/types/aliases.ts diff --git a/x-pack/plugins/index_management/common/types/component_templates.ts b/x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/component_templates.ts rename to x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts diff --git a/x-pack/plugins/index_management/common/types/data_streams.ts b/x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/data_streams.ts rename to x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts diff --git a/x-pack/plugins/index_management/common/types/enrich_policies.ts b/x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/enrich_policies.ts rename to x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts diff --git a/x-pack/plugins/index_management/common/types/index.ts b/x-pack/platform/plugins/shared/index_management/common/types/index.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/index.ts rename to x-pack/platform/plugins/shared/index_management/common/types/index.ts diff --git a/x-pack/plugins/index_management/common/types/indices.ts b/x-pack/platform/plugins/shared/index_management/common/types/indices.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/indices.ts rename to x-pack/platform/plugins/shared/index_management/common/types/indices.ts diff --git a/x-pack/plugins/index_management/common/types/mappings.ts b/x-pack/platform/plugins/shared/index_management/common/types/mappings.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/mappings.ts rename to x-pack/platform/plugins/shared/index_management/common/types/mappings.ts diff --git a/x-pack/plugins/index_management/common/types/templates.ts b/x-pack/platform/plugins/shared/index_management/common/types/templates.ts similarity index 100% rename from x-pack/plugins/index_management/common/types/templates.ts rename to x-pack/platform/plugins/shared/index_management/common/types/templates.ts diff --git a/x-pack/plugins/index_management/jest.config.js b/x-pack/platform/plugins/shared/index_management/jest.config.js similarity index 53% rename from x-pack/plugins/index_management/jest.config.js rename to x-pack/platform/plugins/shared/index_management/jest.config.js index 8cd0af1f81147..4b43baf3253f3 100644 --- a/x-pack/plugins/index_management/jest.config.js +++ b/x-pack/platform/plugins/shared/index_management/jest.config.js @@ -7,11 +7,12 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../..', - roots: ['/x-pack/plugins/index_management'], - coverageDirectory: '/target/kibana-coverage/jest/x-pack/plugins/index_management', + rootDir: '../../../../..', + roots: ['/x-pack/platform/plugins/shared/index_management'], + coverageDirectory: + '/target/kibana-coverage/jest/x-pack/platform/plugins/shared/index_management', coverageReporters: ['text', 'html'], collectCoverageFrom: [ - '/x-pack/plugins/index_management/{common,public,server}/**/*.{js,ts,tsx}', + '/x-pack/platform/plugins/shared/index_management/{common,public,server}/**/*.{js,ts,tsx}', ], }; diff --git a/x-pack/plugins/index_management/kibana.jsonc b/x-pack/platform/plugins/shared/index_management/kibana.jsonc similarity index 100% rename from x-pack/plugins/index_management/kibana.jsonc rename to x-pack/platform/plugins/shared/index_management/kibana.jsonc diff --git a/x-pack/plugins/index_management/public/application/app.tsx b/x-pack/platform/plugins/shared/index_management/public/application/app.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/app.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/app.tsx diff --git a/x-pack/plugins/index_management/public/application/app_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/app_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/app_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/app_context.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_create.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_create.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_create.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_create.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_details.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_details.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_details.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_details.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_edit.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_edit.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_edit.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_edit.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_list.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_list.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_list.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/component_template_list.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_create.helpers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_create.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_create.helpers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_create.helpers.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_details.helpers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_details.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_details.helpers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_details.helpers.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_edit.helpers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_edit.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_edit.helpers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_edit.helpers.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_form.helpers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_form.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_form.helpers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_form.helpers.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_list.helpers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_list.helpers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_list.helpers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/component_template_list.helpers.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/constants.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/constants.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/constants.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/constants.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/http_requests.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/http_requests.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/http_requests.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/http_requests.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/setup_environment.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/setup_environment.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/setup_environment.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/client_integration/helpers/setup_environment.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/__jest__/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/__jest__/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/__jest__/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/component_template_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/component_template_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/component_template_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/component_template_details.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/manage_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/manage_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/manage_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/manage_button.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/tab_summary.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/tab_summary.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/tab_summary.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/tab_summary.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/tabs.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/tabs.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_details/tabs.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_details/tabs.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/component_template_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/component_template_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/component_template_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/component_template_list.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/component_template_list_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/component_template_list_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/component_template_list_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/component_template_list_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/delete_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/delete_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/delete_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/delete_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/empty_prompt.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/empty_prompt.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/empty_prompt.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/empty_prompt.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/table.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/table.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_list/table.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_list/table.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates.scss diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.scss diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_list_item.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selection.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selection.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selection.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selection.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.scss diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/component_templates_selector.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/create_button_popover.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/create_button_popover.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/create_button_popover.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/create_button_popover.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/filter_list_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/filter_list_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/filter_list_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/filter_list_button.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_selector/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_selector/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/component_template_clone.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/component_template_clone.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/component_template_clone.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/component_template_clone.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_clone/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/component_template_create.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/component_template_create.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/component_template_create.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/component_template_create.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_create/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/mappings_datastreams_rollover_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/mappings_datastreams_rollover_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/mappings_datastreams_rollover_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/mappings_datastreams_rollover_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_datastreams_rollover/use_datastreams_rollover.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/component_template_edit.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/component_template_edit.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/component_template_edit.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/component_template_edit.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_edit/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/component_template_form.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/component_template_form.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/component_template_form.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/component_template_form.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_schema.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_schema.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_schema.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_logistics_schema.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/component_template_form/steps/step_review_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_template_wizard/use_step_from_query_string.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/component_templates_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_templates_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/component_templates_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/component_templates_context.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/components/deprecated_badge.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/components/deprecated_badge.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/components/deprecated_badge.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/components/deprecated_badge.tsx diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/constants.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/constants.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/constants.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/constants.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/lib/api.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/api.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/lib/api.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/api.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/lib/documentation.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/documentation.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/lib/documentation.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/documentation.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/lib/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/lib/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/lib/request.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/request.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/lib/request.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/lib/request.ts diff --git a/x-pack/plugins/index_management/public/application/components/component_templates/shared_imports.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/shared_imports.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/component_templates/shared_imports.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/component_templates/shared_imports.ts diff --git a/x-pack/plugins/index_management/public/application/components/data_health.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/data_health.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/data_health.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/data_health.tsx diff --git a/x-pack/plugins/index_management/public/application/components/enrich_policies/auth_provider.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/enrich_policies/auth_provider.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/enrich_policies/auth_provider.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/enrich_policies/auth_provider.tsx diff --git a/x-pack/plugins/index_management/public/application/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/legacy_index_template_deprecation.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/legacy_index_template_deprecation.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/legacy_index_template_deprecation.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/legacy_index_template_deprecation.tsx diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/shared_imports.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/shared_imports.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/shared_imports.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/shared_imports.ts diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/simulate_template.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/simulate_template.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/simulate_template.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/simulate_template.tsx diff --git a/x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/simulate_template_flyout.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/simulate_template_flyout.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/index_templates/simulate_template/simulate_template_flyout.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/index_templates/simulate_template/simulate_template_flyout.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/configuration_form.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/configuration_form.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/configuration_form.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/configuration_form.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/date_range_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/date_range_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/date_range_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/date_range_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/other_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/other_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/other_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/other_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/point_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/point_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/point_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/point_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/scaled_float_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/scaled_float_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/scaled_float_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/scaled_float_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/shape_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/shape_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/shape_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/shape_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/text_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/text_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/text_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/text_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/version_datatype.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/version_datatype.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/version_datatype.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/datatypes/version_datatype.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/edit_field.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/edit_field.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/edit_field.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/edit_field.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/mappings_editor.helpers.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/setup_environment.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/setup_environment.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/setup_environment.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/helpers/setup_environment.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mapped_fields.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/mapped_fields.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mapped_fields.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/mapped_fields.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/mappings_editor.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/__jest__/client_integration/runtime_fields.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/_index.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/_index.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/_index.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/_index.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/_index.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/_index.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/_index.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/_index.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/code_block.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/code_block.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/code_block.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/code_block.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form_schema.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form_schema.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form_schema.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_form_schema.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_serialization.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_serialization.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_serialization.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/configuration_serialization.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/dynamic_mapping_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/dynamic_mapping_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/dynamic_mapping_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/dynamic_mapping_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/dynamic_mapping_section/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/mapper_size_plugin_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/mapper_size_plugin_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/mapper_size_plugin_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/mapper_size_plugin_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/meta_field_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/meta_field_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/meta_field_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/meta_field_section/meta_field_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/routing_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/routing_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/routing_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/routing_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/constants.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/constants.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/constants.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/constants.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/i18n_texts.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/i18n_texts.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/i18n_texts.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/i18n_texts.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/source_field_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/source_field_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/source_field_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/source_field_section/source_field_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/subobjects_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/subobjects_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/configuration_form/subobjects_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/configuration_form/subobjects_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/_index.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/_index.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/_index.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/_index.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_header.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_header.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_header.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_header.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_search.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_search.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_search.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/document_fields_search.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/editor_toggle_controls.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/editor_toggle_controls.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/editor_toggle_controls.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/editor_toggle_controls.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter_selects.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter_selects.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter_selects.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzer_parameter_selects.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzers_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzers_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzers_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/analyzers_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/boost_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/boost_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/boost_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/boost_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_number_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_number_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_number_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_number_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_shape_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_shape_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_shape_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/coerce_shape_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/copy_to_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/copy_to_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/copy_to_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/copy_to_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/doc_values_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/doc_values_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/doc_values_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/doc_values_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/dynamic_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/dynamic_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/dynamic_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/dynamic_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/eager_global_ordinals_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/eager_global_ordinals_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/eager_global_ordinals_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/eager_global_ordinals_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/enabled_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/enabled_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/enabled_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/enabled_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_absolute.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_absolute.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_absolute.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_absolute.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_percentage.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_percentage.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_percentage.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_frequency_filter_percentage.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/fielddata_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/format_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/format_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/format_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/format_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_above_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_above_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_above_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_above_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_malformed.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_malformed.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_malformed.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_malformed.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_z_value_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_z_value_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_z_value_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/ignore_z_value_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/index_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/locale_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/locale_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/locale_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/locale_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/max_shingle_size_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/max_shingle_size_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/max_shingle_size_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/max_shingle_size_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/meta_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/meta_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/meta_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/meta_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/name_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/name_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/name_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/name_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/norms_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/norms_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/norms_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/norms_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/null_value_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/null_value_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/null_value_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/null_value_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/orientation_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/orientation_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/orientation_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/orientation_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_json_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_json_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_json_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_json_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_name_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_name_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_name_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/other_type_name_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/path_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/path_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/path_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/path_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/reference_field_selects.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/reference_field_selects.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/reference_field_selects.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/reference_field_selects.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/relations_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/relations_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/relations_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/relations_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/select_inference_id.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/select_inference_id.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/select_inference_id.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/select_inference_id.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/similarity_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/similarity_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/similarity_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/similarity_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/split_queries_on_whitespace_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/split_queries_on_whitespace_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/split_queries_on_whitespace_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/split_queries_on_whitespace_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/store_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/store_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/store_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/store_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subobjects_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subobjects_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subobjects_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subobjects_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subtype_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subtype_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subtype_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/subtype_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/term_vector_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/term_vector_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/term_vector_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/term_vector_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/type_parameter.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/type_parameter.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/type_parameter.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/field_parameters/type_parameter.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/_field_list_item.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/_field_list_item.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/_field_list_item.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/_field_list_item.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/_index.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/_index.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/_index.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/_index.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/create_field.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/create_field.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/create_field.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/create_field.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/alias_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/alias_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/alias_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/alias_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/dense_vector_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/dense_vector_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/dense_vector_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/dense_vector_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/scaled_float_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/scaled_float_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/scaled_float_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/scaled_float_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/token_count_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/token_count_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/token_count_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/required_parameters_forms/token_count_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/create_field/semantic_text/use_semantic_text.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/delete_field_provider.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/delete_field_provider.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/delete_field_provider.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/delete_field_provider.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_edit_field_form_row.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_edit_field_form_row.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_edit_field_form_row.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_edit_field_form_row.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_index.scss b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_index.scss similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_index.scss rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/_index.scss diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/advanced_parameters_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/advanced_parameters_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/advanced_parameters_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/advanced_parameters_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/basic_parameters_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/basic_parameters_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/basic_parameters_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/basic_parameters_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_form_row.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_form_row.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_form_row.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_form_row.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_header_form.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_header_form.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_header_form.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/edit_field_header_form.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/field_description_section.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/field_description_section.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/field_description_section.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/field_description_section.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/use_update_field.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/use_update_field.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/use_update_field.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/edit_field/use_update_field.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_beta_badge.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_beta_badge.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_beta_badge.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_beta_badge.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/alias_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/alias_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/alias_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/alias_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/binary_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/binary_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/binary_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/binary_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/boolean_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/boolean_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/boolean_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/boolean_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/completion_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/completion_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/completion_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/completion_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/constant_keyword_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/constant_keyword_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/constant_keyword_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/constant_keyword_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/date_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/date_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/date_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/date_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/dense_vector_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/dense_vector_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/dense_vector_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/dense_vector_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/flattened_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/flattened_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/flattened_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/flattened_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_point_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_point_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_point_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_point_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_shape_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_shape_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_shape_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/geo_shape_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/histogram_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/histogram_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/histogram_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/histogram_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/ip_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/ip_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/ip_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/ip_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/join_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/join_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/join_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/join_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/keyword_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/keyword_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/keyword_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/keyword_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/nested_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/nested_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/nested_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/nested_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/numeric_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/numeric_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/numeric_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/numeric_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/object_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/object_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/object_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/object_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/other_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/other_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/other_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/other_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/passthrough_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/passthrough_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/passthrough_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/passthrough_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/point_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/point_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/point_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/point_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/range_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/range_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/range_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/range_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/rank_feature_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/rank_feature_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/rank_feature_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/rank_feature_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/search_as_you_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/search_as_you_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/search_as_you_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/search_as_you_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/shape_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/shape_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/shape_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/shape_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/text_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/text_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/text_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/text_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/token_count_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/token_count_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/token_count_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/token_count_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/version_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/version_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/version_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/version_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/wildcard_type.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/wildcard_type.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/wildcard_type.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/field_types/wildcard_type.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/fields_list_item_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/modal_confirmation_delete_fields.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/modal_confirmation_delete_fields.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields/modal_confirmation_delete_fields.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields/modal_confirmation_delete_fields.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields_json_editor.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields_json_editor.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields_json_editor.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields_json_editor.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields_tree_editor.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields_tree_editor.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/fields_tree_editor.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/fields_tree_editor.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/document_fields/search_fields/search_result_item.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/fields_tree.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/fields_tree.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/fields_tree.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/fields_tree.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_from_json_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_from_json_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_from_json_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_from_json_button.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.test.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/load_mappings/load_mappings_provider.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/multiple_mappings_warning.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/multiple_mappings_warning.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/multiple_mappings_warning.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/multiple_mappings_warning.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/delete_field_provider.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/delete_field_provider.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/delete_field_provider.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/delete_field_provider.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/empty_prompt.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/empty_prompt.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/empty_prompt.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/empty_prompt.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtime_fields_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtime_fields_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtime_fields_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtime_fields_list.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/runtime_fields/runtimefields_list_item_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/templates_form.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/templates_form.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/templates_form.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/templates_form.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/templates_form_schema.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/templates_form_schema.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/templates_form/templates_form_schema.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/templates_form/templates_form_schema.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/tree.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/tree.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/tree.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/tree.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/tree_item.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/tree_item.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/components/tree/tree_item.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/components/tree/tree_item.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/config_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/config_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/config_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/config_context.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/data_types_definition.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/data_types_definition.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/data_types_definition.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/data_types_definition.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/default_values.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/default_values.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/default_values.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/default_values.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/field_options.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/field_options.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/field_options.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/field_options.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/field_options_i18n.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/field_options_i18n.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/field_options_i18n.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/field_options_i18n.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/mappings_editor.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/mappings_editor.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/mappings_editor.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/mappings_editor.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/constants/parameters_definition.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/parameters_definition.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/constants/parameters_definition.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/constants/parameters_definition.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/error_reporter.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/error_reporter.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/error_reporter.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/error_reporter.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/extract_mappings_definition.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/mappings_validator.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/mappings_validator.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/mappings_validator.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/mappings_validator.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/mappings_validator.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/mappings_validator.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/mappings_validator.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/mappings_validator.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/search_fields.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/search_fields.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/search_fields.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/search_fields.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/search_fields.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/search_fields.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/search_fields.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/search_fields.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/serializers.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/serializers.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/serializers.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/serializers.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/utils.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/utils.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/utils.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/utils.test.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/utils.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/utils.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/utils.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/utils.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/lib/validators.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/validators.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/lib/validators.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/lib/validators.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_editor.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_editor.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_editor.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_editor.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_editor_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_editor_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_editor_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_editor_context.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_state_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_state_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/mappings_state_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/mappings_state_context.tsx diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/reducer.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/reducer.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/reducer.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/reducer.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/shared_imports.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/shared_imports.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/shared_imports.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/shared_imports.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/types/document_fields.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/document_fields.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/types/document_fields.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/document_fields.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/types/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/types/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/types/mappings_editor.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/mappings_editor.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/types/mappings_editor.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/mappings_editor.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/types/state.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/state.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/types/state.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/types/state.ts diff --git a/x-pack/plugins/index_management/public/application/components/mappings_editor/use_state_listener.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/use_state_listener.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/mappings_editor/use_state_listener.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/mappings_editor/use_state_listener.tsx diff --git a/x-pack/plugins/index_management/public/application/components/no_match/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/no_match/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/no_match/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/no_match/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/no_match/no_match.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/no_match/no_match.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/no_match/no_match.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/no_match/no_match.tsx diff --git a/x-pack/plugins/index_management/public/application/components/section_error.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/section_error.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/section_error.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/section_error.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/details_panel/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/details_panel/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_aliases.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_aliases.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_aliases.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_aliases.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_mappings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_mappings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_mappings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_mappings.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_settings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_settings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/details_panel/tab_settings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/details_panel/tab_settings.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/template_content_indicator.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/template_content_indicator.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/template_content_indicator.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/template_content_indicator.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_aliases.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_aliases.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_aliases.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_aliases.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_aliases_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_aliases_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_aliases_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_aliases_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_mappings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_mappings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_mappings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_mappings.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_mappings_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_mappings_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_mappings_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_mappings_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_settings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_settings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_settings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_settings.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_settings_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_settings_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/step_settings_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/step_settings_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/types.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/types.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/types.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/types.ts diff --git a/x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/use_json_step.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/use_json_step.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/components/wizard_steps/use_json_step.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/components/wizard_steps/use_json_step.ts diff --git a/x-pack/plugins/index_management/public/application/components/shared/fields/unit_field.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/fields/unit_field.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/fields/unit_field.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/fields/unit_field.tsx diff --git a/x-pack/plugins/index_management/public/application/components/shared/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/shared/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/shared/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/shared/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/template_delete_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_delete_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_delete_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_delete_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/index.ts diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_components.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_components.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_components.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_components.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_components_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_components_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_components_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_components_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_logistics.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_logistics.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_logistics.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_logistics.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_logistics_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_logistics_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_logistics_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_logistics_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_review.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_review.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_review.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_review.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/steps/step_review_container.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_review_container.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/steps/step_review_container.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/steps/step_review_container.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/template_form.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/template_form.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/template_form.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/template_form.tsx diff --git a/x-pack/plugins/index_management/public/application/components/template_form/template_form_schemas.tsx b/x-pack/platform/plugins/shared/index_management/public/application/components/template_form/template_form_schemas.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/components/template_form/template_form_schemas.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/components/template_form/template_form_schemas.tsx diff --git a/x-pack/plugins/index_management/public/application/constants/ilm_locator.ts b/x-pack/platform/plugins/shared/index_management/public/application/constants/ilm_locator.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/constants/ilm_locator.ts rename to x-pack/platform/plugins/shared/index_management/public/application/constants/ilm_locator.ts diff --git a/x-pack/plugins/index_management/public/application/constants/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/constants/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/constants/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/constants/index.ts diff --git a/x-pack/plugins/index_management/public/application/constants/time_units.ts b/x-pack/platform/plugins/shared/index_management/public/application/constants/time_units.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/constants/time_units.ts rename to x-pack/platform/plugins/shared/index_management/public/application/constants/time_units.ts diff --git a/x-pack/plugins/index_management/public/application/hooks/redirect_path.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/hooks/redirect_path.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/hooks/redirect_path.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/hooks/redirect_path.test.tsx diff --git a/x-pack/plugins/index_management/public/application/hooks/redirect_path.tsx b/x-pack/platform/plugins/shared/index_management/public/application/hooks/redirect_path.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/hooks/redirect_path.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/hooks/redirect_path.tsx diff --git a/x-pack/plugins/index_management/public/application/hooks/use_index_errors.ts b/x-pack/platform/plugins/shared/index_management/public/application/hooks/use_index_errors.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/hooks/use_index_errors.ts rename to x-pack/platform/plugins/shared/index_management/public/application/hooks/use_index_errors.ts diff --git a/x-pack/plugins/index_management/public/application/hooks/use_state_with_localstorage.ts b/x-pack/platform/plugins/shared/index_management/public/application/hooks/use_state_with_localstorage.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/hooks/use_state_with_localstorage.ts rename to x-pack/platform/plugins/shared/index_management/public/application/hooks/use_state_with_localstorage.ts diff --git a/x-pack/plugins/index_management/public/application/index.tsx b/x-pack/platform/plugins/shared/index_management/public/application/index.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/index.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/index.tsx diff --git a/x-pack/plugins/index_management/public/application/lib/__snapshots__/flatten_object.test.ts.snap b/x-pack/platform/plugins/shared/index_management/public/application/lib/__snapshots__/flatten_object.test.ts.snap similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/__snapshots__/flatten_object.test.ts.snap rename to x-pack/platform/plugins/shared/index_management/public/application/lib/__snapshots__/flatten_object.test.ts.snap diff --git a/x-pack/plugins/index_management/public/application/lib/data_streams.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/lib/data_streams.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/data_streams.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/lib/data_streams.test.tsx diff --git a/x-pack/plugins/index_management/public/application/lib/data_streams.tsx b/x-pack/platform/plugins/shared/index_management/public/application/lib/data_streams.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/data_streams.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/lib/data_streams.tsx diff --git a/x-pack/plugins/index_management/public/application/lib/discover_link.test.tsx b/x-pack/platform/plugins/shared/index_management/public/application/lib/discover_link.test.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/discover_link.test.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/lib/discover_link.test.tsx diff --git a/x-pack/plugins/index_management/public/application/lib/discover_link.tsx b/x-pack/platform/plugins/shared/index_management/public/application/lib/discover_link.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/discover_link.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/lib/discover_link.tsx diff --git a/x-pack/plugins/index_management/public/application/lib/edit_settings.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/edit_settings.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/edit_settings.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/edit_settings.ts diff --git a/x-pack/plugins/index_management/public/application/lib/flatten_object.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_object.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/flatten_object.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_object.test.ts diff --git a/x-pack/plugins/index_management/public/application/lib/flatten_object.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_object.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/flatten_object.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_object.ts diff --git a/x-pack/plugins/index_management/public/application/lib/flatten_panel_tree.js b/x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_panel_tree.js similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/flatten_panel_tree.js rename to x-pack/platform/plugins/shared/index_management/public/application/lib/flatten_panel_tree.js diff --git a/x-pack/plugins/index_management/public/application/lib/index_mode_labels.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/index_mode_labels.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/index_mode_labels.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/index_mode_labels.ts diff --git a/x-pack/plugins/index_management/public/application/lib/index_status_labels.js b/x-pack/platform/plugins/shared/index_management/public/application/lib/index_status_labels.js similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/index_status_labels.js rename to x-pack/platform/plugins/shared/index_management/public/application/lib/index_status_labels.js diff --git a/x-pack/plugins/index_management/public/application/lib/index_templates.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/index_templates.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/index_templates.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/index_templates.ts diff --git a/x-pack/plugins/index_management/public/application/lib/indices.ts b/x-pack/platform/plugins/shared/index_management/public/application/lib/indices.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/indices.ts rename to x-pack/platform/plugins/shared/index_management/public/application/lib/indices.ts diff --git a/x-pack/plugins/index_management/public/application/lib/render_badges.tsx b/x-pack/platform/plugins/shared/index_management/public/application/lib/render_badges.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/lib/render_badges.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/lib/render_badges.tsx diff --git a/x-pack/plugins/index_management/public/application/mount_management_section.ts b/x-pack/platform/plugins/shared/index_management/public/application/mount_management_section.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/mount_management_section.ts rename to x-pack/platform/plugins/shared/index_management/public/application/mount_management_section.ts diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/create_policy_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/create_policy_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/create_policy_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/create_policy_context.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/create_policy_wizard.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/create_policy_wizard.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/create_policy_wizard.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/create_policy_wizard.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/enrich_policy_create.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/enrich_policy_create.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/enrich_policy_create.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/enrich_policy_create.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/configuration.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/configuration.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/configuration.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/configuration.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/create.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/create.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/create.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/create.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/field_selection.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/field_selection.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/field_selection.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/field_selection.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/fields/indices_selector.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/fields/indices_selector.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/fields/indices_selector.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/fields/indices_selector.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/enrich_policy_create/steps/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/enrich_policy_create/steps/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/components/filter_list_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/components/filter_list_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/components/filter_list_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/components/filter_list_button.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/data_stream_actions_menu.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/data_stream_actions_menu.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/data_stream_actions_menu.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/data_stream_actions_menu.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_actions_menu/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_badges.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_badges.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_badges.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_badges.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/data_stream_detail_panel.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/data_stream_detail_panel.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/data_stream_detail_panel.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/data_stream_detail_panel.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_detail_panel/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_list.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_table/data_stream_table.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_table/data_stream_table.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_table/data_stream_table.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_table/data_stream_table.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_table/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_table/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/data_stream_table/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/data_stream_table/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/delete_data_stream_confirmation_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/delete_data_stream_confirmation_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/delete_data_stream_confirmation_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/delete_data_stream_confirmation_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/delete_data_stream_confirmation_modal/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/edit_data_retention_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/edit_data_retention_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/edit_data_retention_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/edit_data_retention_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/mixed_indices_callout.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/mixed_indices_callout.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/mixed_indices_callout.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/mixed_indices_callout.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/schema.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/schema.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/schema.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/schema.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.test.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/edit_data_retention_modal/validations.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/humanize_time_stamp.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/humanize_time_stamp.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/humanize_time_stamp.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/humanize_time_stamp.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/data_stream_list/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/data_stream_list/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/data_stream_list/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/delete_policy_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/delete_policy_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/delete_policy_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/delete_policy_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/execute_policy_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/execute_policy_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/execute_policy_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/execute_policy_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/confirm_modals/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/details_flyout/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/details_flyout/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/details_flyout/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/details_flyout/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/details_flyout/policy_details_flyout.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/details_flyout/policy_details_flyout.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/details_flyout/policy_details_flyout.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/details_flyout/policy_details_flyout.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/empty_state.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/empty_state.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/empty_state.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/empty_state.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/error_state.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/error_state.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/error_state.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/error_state.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/loading_state.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/loading_state.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/empty_states/loading_state.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/empty_states/loading_state.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/enrich_policies_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/enrich_policies_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/enrich_policies_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/enrich_policies_list.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/policies_table/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/policies_table/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/policies_table/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/policies_table/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/policies_table/policies_table.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/policies_table/policies_table.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/enrich_policies_list/policies_table/policies_table.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/enrich_policies_list/policies_table/policies_table.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/home.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/home.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/home.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/home.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/create_index_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/create_index_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/create_index_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/create_index_button.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/create_index_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/create_index_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/create_index_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/create_index_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/utils.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/utils.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/utils.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/utils.test.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/utils.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/utils.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/create_index/utils.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/create_index/utils.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_content.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_content.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_content.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_content.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_error.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_error.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_error.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_error.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_filter_fields.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_filter_fields.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_filter_fields.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_filter_fields.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_mappings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_mappings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_mappings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_mappings.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_mappings_content.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_mappings_content.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_mappings_content.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_mappings_content.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/aliases_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/aliases_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/aliases_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/aliases_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/data_stream_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/data_stream_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/data_stream_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/data_stream_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/details_page_overview.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/details_page_overview.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/details_page_overview.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/details_page_overview.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/languages.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/languages.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/languages.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/languages.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/overview_card.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/overview_card.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/overview_card.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/overview_card.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/size_doc_count_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/size_doc_count_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/size_doc_count_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/size_doc_count_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/status_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/status_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/status_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/status_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/storage_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/storage_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_overview/storage_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_overview/storage_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_settings.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_settings.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_settings.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_settings.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_settings_content.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_settings_content.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_settings_content.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_settings_content.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_stats.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_stats.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_stats.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_stats.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_tab.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_tab.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/details_page_tab.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/details_page_tab.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/index.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/index.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/index.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/index.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/index_error_callout.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/index_error_callout.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/index_error_callout.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/index_error_callout.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/manage_index_button.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/manage_index_button.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/manage_index_button.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/manage_index_button.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/reset_index_url_params.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/reset_index_url_params.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/reset_index_url_params.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/reset_index_url_params.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/semantic_text_banner.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/semantic_text_banner.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/semantic_text_banner.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/semantic_text_banner.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/trained_models_deployment_modal.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/trained_models_deployment_modal.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/trained_models_deployment_modal.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/trained_models_deployment_modal.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context_types.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context_types.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context_types.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mapping_with_context_types.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mappings_embeddable.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mappings_embeddable.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mappings_embeddable.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_mappings_embeddable.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_embeddable.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_embeddable.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_embeddable.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_embeddable.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context_types.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context_types.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context_types.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/details_page/with_context_components/index_settings_with_context_types.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index.js b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index.js similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index.js rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index.js diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.container.js b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.container.js similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.container.js rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.container.js diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.d.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.d.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.d.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.d.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.js b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.js similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.js rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_actions_context_menu/index_actions_context_menu.js diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_list.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.container.d.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.container.d.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.container.d.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.container.d.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.container.js b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.container.js similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.container.js rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.container.js diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.js b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.js similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table.js rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table.js diff --git a/x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table_pagination.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table_pagination.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/index_list/index_table/index_table_pagination.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/index_list/index_table/index_table_pagination.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/components/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/components/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/components/template_deprecated_badge.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/template_deprecated_badge.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/components/template_deprecated_badge.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/template_deprecated_badge.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/components/template_type_indicator.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/template_type_indicator.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/components/template_type_indicator.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/components/template_type_indicator.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/legacy_templates/template_table/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/legacy_templates/template_table/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/legacy_templates/template_table/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/legacy_templates/template_table/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/legacy_templates/template_table/template_table.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/legacy_templates/template_table/template_table.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/legacy_templates/template_table/template_table.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/legacy_templates/template_table/template_table.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/tab_preview.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/tab_preview.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/tab_preview.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/tab_preview.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/tab_summary.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/tab_summary.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/tabs/tab_summary.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/tabs/tab_summary.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/template_details.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/template_details.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/template_details.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/template_details.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/template_details_content.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/template_details_content.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_details/template_details_content.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_details/template_details_content.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_list.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_list.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_list.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_list.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_table/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_table/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_table/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_table/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/home/template_list/template_table/template_table.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_table/template_table.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/home/template_list/template_table/template_table.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/home/template_list/template_table/template_table.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/template_clone/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_clone/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_clone/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_clone/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/template_clone/template_clone.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_clone/template_clone.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_clone/template_clone.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_clone/template_clone.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/template_create/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_create/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_create/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_create/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/template_create/template_create.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_create/template_create.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_create/template_create.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_create/template_create.tsx diff --git a/x-pack/plugins/index_management/public/application/sections/template_edit/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_edit/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_edit/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_edit/index.ts diff --git a/x-pack/plugins/index_management/public/application/sections/template_edit/template_edit.tsx b/x-pack/platform/plugins/shared/index_management/public/application/sections/template_edit/template_edit.tsx similarity index 100% rename from x-pack/plugins/index_management/public/application/sections/template_edit/template_edit.tsx rename to x-pack/platform/plugins/shared/index_management/public/application/sections/template_edit/template_edit.tsx diff --git a/x-pack/plugins/index_management/public/application/services/api.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/api.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/api.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/api.ts diff --git a/x-pack/plugins/index_management/public/application/services/breadcrumbs.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/breadcrumbs.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/breadcrumbs.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/breadcrumbs.ts diff --git a/x-pack/plugins/index_management/public/application/services/documentation.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/documentation.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/documentation.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/documentation.ts diff --git a/x-pack/plugins/index_management/public/application/services/http.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/http.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/http.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/http.ts diff --git a/x-pack/plugins/index_management/public/application/services/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/index.ts diff --git a/x-pack/plugins/index_management/public/application/services/notification.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/notification.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/notification.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/notification.ts diff --git a/x-pack/plugins/index_management/public/application/services/routing.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/routing.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/routing.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/routing.test.ts diff --git a/x-pack/plugins/index_management/public/application/services/routing.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/routing.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts diff --git a/x-pack/plugins/index_management/public/application/services/sort_table.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/sort_table.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/sort_table.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/sort_table.test.ts diff --git a/x-pack/plugins/index_management/public/application/services/sort_table.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/sort_table.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/sort_table.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/sort_table.ts diff --git a/x-pack/plugins/index_management/public/application/services/ui_metric.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/ui_metric.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/ui_metric.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/ui_metric.ts diff --git a/x-pack/plugins/index_management/public/application/services/use_ilm_locator.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/use_ilm_locator.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/use_ilm_locator.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/use_ilm_locator.ts diff --git a/x-pack/plugins/index_management/public/application/services/use_request.ts b/x-pack/platform/plugins/shared/index_management/public/application/services/use_request.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/services/use_request.ts rename to x-pack/platform/plugins/shared/index_management/public/application/services/use_request.ts diff --git a/x-pack/plugins/index_management/public/application/shared/parse_mappings.ts b/x-pack/platform/plugins/shared/index_management/public/application/shared/parse_mappings.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/shared/parse_mappings.ts rename to x-pack/platform/plugins/shared/index_management/public/application/shared/parse_mappings.ts diff --git a/x-pack/plugins/index_management/public/application/store/actions/clear_cache_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/clear_cache_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/clear_cache_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/clear_cache_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/clear_row_status.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/clear_row_status.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/clear_row_status.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/clear_row_status.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/close_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/close_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/close_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/close_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/delete_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/delete_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/delete_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/delete_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/extension_action.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/extension_action.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/extension_action.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/extension_action.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/flush_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/flush_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/flush_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/flush_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/forcemerge_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/forcemerge_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/forcemerge_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/forcemerge_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/index.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/index.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/index.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/index.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/load_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/load_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/load_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/load_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/open_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/open_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/open_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/open_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/refresh_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/refresh_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/refresh_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/refresh_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/reload_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/reload_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/reload_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/reload_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/table_state.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/table_state.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/table_state.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/table_state.js diff --git a/x-pack/plugins/index_management/public/application/store/actions/unfreeze_indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/actions/unfreeze_indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/actions/unfreeze_indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/actions/unfreeze_indices.js diff --git a/x-pack/plugins/index_management/public/application/store/index.ts b/x-pack/platform/plugins/shared/index_management/public/application/store/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/store/index.ts rename to x-pack/platform/plugins/shared/index_management/public/application/store/index.ts diff --git a/x-pack/plugins/index_management/public/application/store/reducers/index.js b/x-pack/platform/plugins/shared/index_management/public/application/store/reducers/index.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/reducers/index.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/reducers/index.js diff --git a/x-pack/plugins/index_management/public/application/store/reducers/index_management.js b/x-pack/platform/plugins/shared/index_management/public/application/store/reducers/index_management.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/reducers/index_management.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/reducers/index_management.js diff --git a/x-pack/plugins/index_management/public/application/store/reducers/indices.js b/x-pack/platform/plugins/shared/index_management/public/application/store/reducers/indices.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/reducers/indices.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/reducers/indices.js diff --git a/x-pack/plugins/index_management/public/application/store/reducers/row_status.js b/x-pack/platform/plugins/shared/index_management/public/application/store/reducers/row_status.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/reducers/row_status.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/reducers/row_status.js diff --git a/x-pack/plugins/index_management/public/application/store/reducers/table_state.js b/x-pack/platform/plugins/shared/index_management/public/application/store/reducers/table_state.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/reducers/table_state.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/reducers/table_state.js diff --git a/x-pack/plugins/index_management/public/application/store/selectors/extension_service.ts b/x-pack/platform/plugins/shared/index_management/public/application/store/selectors/extension_service.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/store/selectors/extension_service.ts rename to x-pack/platform/plugins/shared/index_management/public/application/store/selectors/extension_service.ts diff --git a/x-pack/plugins/index_management/public/application/store/selectors/index.d.ts b/x-pack/platform/plugins/shared/index_management/public/application/store/selectors/index.d.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/store/selectors/index.d.ts rename to x-pack/platform/plugins/shared/index_management/public/application/store/selectors/index.d.ts diff --git a/x-pack/plugins/index_management/public/application/store/selectors/index.js b/x-pack/platform/plugins/shared/index_management/public/application/store/selectors/index.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/selectors/index.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/selectors/index.js diff --git a/x-pack/plugins/index_management/public/application/store/selectors/indices_filter.test.ts b/x-pack/platform/plugins/shared/index_management/public/application/store/selectors/indices_filter.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/store/selectors/indices_filter.test.ts rename to x-pack/platform/plugins/shared/index_management/public/application/store/selectors/indices_filter.test.ts diff --git a/x-pack/plugins/index_management/public/application/store/store.d.ts b/x-pack/platform/plugins/shared/index_management/public/application/store/store.d.ts similarity index 100% rename from x-pack/plugins/index_management/public/application/store/store.d.ts rename to x-pack/platform/plugins/shared/index_management/public/application/store/store.d.ts diff --git a/x-pack/plugins/index_management/public/application/store/store.js b/x-pack/platform/plugins/shared/index_management/public/application/store/store.js similarity index 100% rename from x-pack/plugins/index_management/public/application/store/store.js rename to x-pack/platform/plugins/shared/index_management/public/application/store/store.js diff --git a/x-pack/plugins/index_management/public/assets/curl.svg b/x-pack/platform/plugins/shared/index_management/public/assets/curl.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/curl.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/curl.svg diff --git a/x-pack/plugins/index_management/public/assets/go.svg b/x-pack/platform/plugins/shared/index_management/public/assets/go.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/go.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/go.svg diff --git a/x-pack/plugins/index_management/public/assets/javascript.svg b/x-pack/platform/plugins/shared/index_management/public/assets/javascript.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/javascript.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/javascript.svg diff --git a/x-pack/plugins/index_management/public/assets/php.svg b/x-pack/platform/plugins/shared/index_management/public/assets/php.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/php.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/php.svg diff --git a/x-pack/plugins/index_management/public/assets/python.svg b/x-pack/platform/plugins/shared/index_management/public/assets/python.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/python.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/python.svg diff --git a/x-pack/plugins/index_management/public/assets/ruby.svg b/x-pack/platform/plugins/shared/index_management/public/assets/ruby.svg similarity index 100% rename from x-pack/plugins/index_management/public/assets/ruby.svg rename to x-pack/platform/plugins/shared/index_management/public/assets/ruby.svg diff --git a/x-pack/plugins/index_management/public/hooks/use_details_page_mappings_model_management.test.ts b/x-pack/platform/plugins/shared/index_management/public/hooks/use_details_page_mappings_model_management.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/hooks/use_details_page_mappings_model_management.test.ts rename to x-pack/platform/plugins/shared/index_management/public/hooks/use_details_page_mappings_model_management.test.ts diff --git a/x-pack/plugins/index_management/public/hooks/use_details_page_mappings_model_management.ts b/x-pack/platform/plugins/shared/index_management/public/hooks/use_details_page_mappings_model_management.ts similarity index 100% rename from x-pack/plugins/index_management/public/hooks/use_details_page_mappings_model_management.ts rename to x-pack/platform/plugins/shared/index_management/public/hooks/use_details_page_mappings_model_management.ts diff --git a/x-pack/plugins/index_management/public/hooks/use_ml_model_status_toasts.ts b/x-pack/platform/plugins/shared/index_management/public/hooks/use_ml_model_status_toasts.ts similarity index 100% rename from x-pack/plugins/index_management/public/hooks/use_ml_model_status_toasts.ts rename to x-pack/platform/plugins/shared/index_management/public/hooks/use_ml_model_status_toasts.ts diff --git a/x-pack/plugins/index_management/public/index.scss b/x-pack/platform/plugins/shared/index_management/public/index.scss similarity index 100% rename from x-pack/plugins/index_management/public/index.scss rename to x-pack/platform/plugins/shared/index_management/public/index.scss diff --git a/x-pack/plugins/index_management/public/index.ts b/x-pack/platform/plugins/shared/index_management/public/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/index.ts rename to x-pack/platform/plugins/shared/index_management/public/index.ts diff --git a/x-pack/plugins/index_management/public/locator.test.ts b/x-pack/platform/plugins/shared/index_management/public/locator.test.ts similarity index 100% rename from x-pack/plugins/index_management/public/locator.test.ts rename to x-pack/platform/plugins/shared/index_management/public/locator.test.ts diff --git a/x-pack/plugins/index_management/public/locator.ts b/x-pack/platform/plugins/shared/index_management/public/locator.ts similarity index 100% rename from x-pack/plugins/index_management/public/locator.ts rename to x-pack/platform/plugins/shared/index_management/public/locator.ts diff --git a/x-pack/plugins/index_management/public/mocks.ts b/x-pack/platform/plugins/shared/index_management/public/mocks.ts similarity index 100% rename from x-pack/plugins/index_management/public/mocks.ts rename to x-pack/platform/plugins/shared/index_management/public/mocks.ts diff --git a/x-pack/plugins/index_management/public/plugin.ts b/x-pack/platform/plugins/shared/index_management/public/plugin.ts similarity index 100% rename from x-pack/plugins/index_management/public/plugin.ts rename to x-pack/platform/plugins/shared/index_management/public/plugin.ts diff --git a/x-pack/plugins/index_management/public/services/extensions_service.mock.ts b/x-pack/platform/plugins/shared/index_management/public/services/extensions_service.mock.ts similarity index 100% rename from x-pack/plugins/index_management/public/services/extensions_service.mock.ts rename to x-pack/platform/plugins/shared/index_management/public/services/extensions_service.mock.ts diff --git a/x-pack/plugins/index_management/public/services/extensions_service.ts b/x-pack/platform/plugins/shared/index_management/public/services/extensions_service.ts similarity index 100% rename from x-pack/plugins/index_management/public/services/extensions_service.ts rename to x-pack/platform/plugins/shared/index_management/public/services/extensions_service.ts diff --git a/x-pack/plugins/index_management/public/services/index.ts b/x-pack/platform/plugins/shared/index_management/public/services/index.ts similarity index 100% rename from x-pack/plugins/index_management/public/services/index.ts rename to x-pack/platform/plugins/shared/index_management/public/services/index.ts diff --git a/x-pack/plugins/index_management/public/services/public_api_service.mock.ts b/x-pack/platform/plugins/shared/index_management/public/services/public_api_service.mock.ts similarity index 100% rename from x-pack/plugins/index_management/public/services/public_api_service.mock.ts rename to x-pack/platform/plugins/shared/index_management/public/services/public_api_service.mock.ts diff --git a/x-pack/plugins/index_management/public/services/public_api_service.ts b/x-pack/platform/plugins/shared/index_management/public/services/public_api_service.ts similarity index 100% rename from x-pack/plugins/index_management/public/services/public_api_service.ts rename to x-pack/platform/plugins/shared/index_management/public/services/public_api_service.ts diff --git a/x-pack/plugins/index_management/public/shared_imports.ts b/x-pack/platform/plugins/shared/index_management/public/shared_imports.ts similarity index 100% rename from x-pack/plugins/index_management/public/shared_imports.ts rename to x-pack/platform/plugins/shared/index_management/public/shared_imports.ts diff --git a/x-pack/plugins/index_management/public/types.ts b/x-pack/platform/plugins/shared/index_management/public/types.ts similarity index 100% rename from x-pack/plugins/index_management/public/types.ts rename to x-pack/platform/plugins/shared/index_management/public/types.ts diff --git a/x-pack/plugins/index_management/server/config.ts b/x-pack/platform/plugins/shared/index_management/server/config.ts similarity index 100% rename from x-pack/plugins/index_management/server/config.ts rename to x-pack/platform/plugins/shared/index_management/server/config.ts diff --git a/x-pack/plugins/index_management/server/index.ts b/x-pack/platform/plugins/shared/index_management/server/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/index.ts rename to x-pack/platform/plugins/shared/index_management/server/index.ts diff --git a/x-pack/plugins/index_management/server/lib/data_stream_serialization.ts b/x-pack/platform/plugins/shared/index_management/server/lib/data_stream_serialization.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/data_stream_serialization.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/data_stream_serialization.ts diff --git a/x-pack/plugins/index_management/server/lib/enrich_policies.test.ts b/x-pack/platform/plugins/shared/index_management/server/lib/enrich_policies.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/enrich_policies.test.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/enrich_policies.test.ts diff --git a/x-pack/plugins/index_management/server/lib/enrich_policies.ts b/x-pack/platform/plugins/shared/index_management/server/lib/enrich_policies.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/enrich_policies.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/enrich_policies.ts diff --git a/x-pack/plugins/index_management/server/lib/fetch_indices.test.ts b/x-pack/platform/plugins/shared/index_management/server/lib/fetch_indices.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/fetch_indices.test.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/fetch_indices.test.ts diff --git a/x-pack/plugins/index_management/server/lib/fetch_indices.ts b/x-pack/platform/plugins/shared/index_management/server/lib/fetch_indices.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/fetch_indices.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/fetch_indices.ts diff --git a/x-pack/plugins/index_management/server/lib/get_managed_templates.ts b/x-pack/platform/plugins/shared/index_management/server/lib/get_managed_templates.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/get_managed_templates.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/get_managed_templates.ts diff --git a/x-pack/plugins/index_management/server/lib/types.ts b/x-pack/platform/plugins/shared/index_management/server/lib/types.ts similarity index 100% rename from x-pack/plugins/index_management/server/lib/types.ts rename to x-pack/platform/plugins/shared/index_management/server/lib/types.ts diff --git a/x-pack/plugins/index_management/server/plugin.ts b/x-pack/platform/plugins/shared/index_management/server/plugin.ts similarity index 100% rename from x-pack/plugins/index_management/server/plugin.ts rename to x-pack/platform/plugins/shared/index_management/server/plugin.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/register_create_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_create_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/register_create_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_create_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/register_datastream_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_datastream_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/register_datastream_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_datastream_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/register_delete_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_delete_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/register_delete_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_delete_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/register_get_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_get_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/register_get_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_get_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/register_update_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_update_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/register_update_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_update_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/component_templates/schema_validation.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/schema_validation.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/component_templates/schema_validation.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/schema_validation.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/data_streams.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/data_streams.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/data_streams.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/data_streams.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/register_delete_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_delete_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/register_delete_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_delete_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/register_get_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_get_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/register_get_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_get_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/register_post_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_post_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/register_post_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_post_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/data_streams/register_put_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_put_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/data_streams/register_put_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_put_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/enrich_policies.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/enrich_policies.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/enrich_policies.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/enrich_policies.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/helpers.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/helpers.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/helpers.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/helpers.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/helpers.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/helpers.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/helpers.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/helpers.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_delete_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_delete_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_delete_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_delete_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_enrich_policies_routes.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_enrich_policies_routes.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_enrich_policies_routes.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_enrich_policies_routes.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_execute_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_execute_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_execute_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_execute_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_list_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_list_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_list_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_list_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/helpers.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/helpers.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/helpers.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/helpers.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/helpers.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/helpers.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/helpers.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/helpers.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_clear_cache_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_clear_cache_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_clear_cache_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_clear_cache_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_close_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_close_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_close_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_close_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_create_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_create_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_create_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_create_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_delete_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_delete_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_delete_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_delete_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_flush_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_flush_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_flush_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_flush_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_forcemerge_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_forcemerge_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_forcemerge_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_forcemerge_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_get_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_get_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_get_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_get_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_indices_routes.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_indices_routes.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_indices_routes.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_indices_routes.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_list_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_list_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_list_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_list_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_open_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_open_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_open_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_open_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_refresh_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_refresh_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_refresh_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_refresh_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_reload_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_reload_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_reload_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_reload_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/indices/register_unfreeze_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_unfreeze_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/indices/register_unfreeze_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_unfreeze_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/inference_models/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/inference_models/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/inference_models/register_get_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/register_get_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/inference_models/register_get_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/register_get_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/inference_models/register_inference_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/register_inference_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/inference_models/register_inference_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/register_inference_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/mapping/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/mapping/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/mapping/register_index_mapping_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_index_mapping_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/mapping/register_index_mapping_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_index_mapping_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/mapping/register_mapping_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_mapping_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/mapping/register_mapping_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_mapping_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/mapping/register_update_mapping_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_update_mapping_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/mapping/register_update_mapping_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_update_mapping_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/nodes/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/nodes/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/nodes/register_nodes_route.test.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/register_nodes_route.test.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/nodes/register_nodes_route.test.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/register_nodes_route.test.ts diff --git a/x-pack/plugins/index_management/server/routes/api/nodes/register_nodes_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/register_nodes_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/nodes/register_nodes_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/register_nodes_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/settings/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/settings/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/settings/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/settings/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/settings/register_load_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_load_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/settings/register_load_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_load_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/settings/register_settings_routes.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_settings_routes.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/settings/register_settings_routes.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_settings_routes.ts diff --git a/x-pack/plugins/index_management/server/routes/api/settings/register_update_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_update_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/settings/register_update_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_update_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/stats/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/stats/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/stats/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/stats/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/stats/register_stats_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/stats/register_stats_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/stats/register_stats_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/stats/register_stats_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/index.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/lib.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/lib.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/lib.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/lib.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_create_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_create_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_create_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_create_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_delete_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_delete_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_delete_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_delete_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_get_routes.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_get_routes.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_get_routes.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_get_routes.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_simulate_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_simulate_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_simulate_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_simulate_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_template_routes.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_template_routes.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_template_routes.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_template_routes.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/register_update_route.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_update_route.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/register_update_route.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_update_route.ts diff --git a/x-pack/plugins/index_management/server/routes/api/templates/validate_schemas.ts b/x-pack/platform/plugins/shared/index_management/server/routes/api/templates/validate_schemas.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/api/templates/validate_schemas.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/api/templates/validate_schemas.ts diff --git a/x-pack/plugins/index_management/server/routes/index.ts b/x-pack/platform/plugins/shared/index_management/server/routes/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/routes/index.ts rename to x-pack/platform/plugins/shared/index_management/server/routes/index.ts diff --git a/x-pack/plugins/index_management/server/services/index.ts b/x-pack/platform/plugins/shared/index_management/server/services/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/services/index.ts rename to x-pack/platform/plugins/shared/index_management/server/services/index.ts diff --git a/x-pack/plugins/index_management/server/services/index_data_enricher.ts b/x-pack/platform/plugins/shared/index_management/server/services/index_data_enricher.ts similarity index 100% rename from x-pack/plugins/index_management/server/services/index_data_enricher.ts rename to x-pack/platform/plugins/shared/index_management/server/services/index_data_enricher.ts diff --git a/x-pack/plugins/index_management/server/shared_imports.ts b/x-pack/platform/plugins/shared/index_management/server/shared_imports.ts similarity index 100% rename from x-pack/plugins/index_management/server/shared_imports.ts rename to x-pack/platform/plugins/shared/index_management/server/shared_imports.ts diff --git a/x-pack/plugins/index_management/server/test/helpers/index.ts b/x-pack/platform/plugins/shared/index_management/server/test/helpers/index.ts similarity index 100% rename from x-pack/plugins/index_management/server/test/helpers/index.ts rename to x-pack/platform/plugins/shared/index_management/server/test/helpers/index.ts diff --git a/x-pack/plugins/index_management/server/test/helpers/indices_fixtures.ts b/x-pack/platform/plugins/shared/index_management/server/test/helpers/indices_fixtures.ts similarity index 100% rename from x-pack/plugins/index_management/server/test/helpers/indices_fixtures.ts rename to x-pack/platform/plugins/shared/index_management/server/test/helpers/indices_fixtures.ts diff --git a/x-pack/plugins/index_management/server/test/helpers/policies_fixtures.ts b/x-pack/platform/plugins/shared/index_management/server/test/helpers/policies_fixtures.ts similarity index 100% rename from x-pack/plugins/index_management/server/test/helpers/policies_fixtures.ts rename to x-pack/platform/plugins/shared/index_management/server/test/helpers/policies_fixtures.ts diff --git a/x-pack/plugins/index_management/server/test/helpers/route_dependencies.ts b/x-pack/platform/plugins/shared/index_management/server/test/helpers/route_dependencies.ts similarity index 100% rename from x-pack/plugins/index_management/server/test/helpers/route_dependencies.ts rename to x-pack/platform/plugins/shared/index_management/server/test/helpers/route_dependencies.ts diff --git a/x-pack/plugins/index_management/server/test/helpers/router_mock.ts b/x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts similarity index 100% rename from x-pack/plugins/index_management/server/test/helpers/router_mock.ts rename to x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts diff --git a/x-pack/plugins/index_management/server/types.ts b/x-pack/platform/plugins/shared/index_management/server/types.ts similarity index 100% rename from x-pack/plugins/index_management/server/types.ts rename to x-pack/platform/plugins/shared/index_management/server/types.ts diff --git a/x-pack/plugins/index_management/test/fixtures/index.ts b/x-pack/platform/plugins/shared/index_management/test/fixtures/index.ts similarity index 100% rename from x-pack/plugins/index_management/test/fixtures/index.ts rename to x-pack/platform/plugins/shared/index_management/test/fixtures/index.ts diff --git a/x-pack/plugins/index_management/test/fixtures/template.ts b/x-pack/platform/plugins/shared/index_management/test/fixtures/template.ts similarity index 100% rename from x-pack/plugins/index_management/test/fixtures/template.ts rename to x-pack/platform/plugins/shared/index_management/test/fixtures/template.ts diff --git a/x-pack/plugins/index_management/tsconfig.json b/x-pack/platform/plugins/shared/index_management/tsconfig.json similarity index 94% rename from x-pack/plugins/index_management/tsconfig.json rename to x-pack/platform/plugins/shared/index_management/tsconfig.json index 185c0b112fc55..41514049a13a8 100644 --- a/x-pack/plugins/index_management/tsconfig.json +++ b/x-pack/platform/plugins/shared/index_management/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, @@ -9,7 +9,7 @@ "public/**/*", "server/**/*", "test/**/*", - "../../../typings/**/*" + "../../../../../typings/**/*" ], "kbn_references": [ "@kbn/core", diff --git a/yarn.lock b/yarn.lock index 7bc62f01eac38..3011613da0a45 100644 --- a/yarn.lock +++ b/yarn.lock @@ -5933,7 +5933,7 @@ version "0.0.0" uid "" -"@kbn/index-management-plugin@link:x-pack/plugins/index_management": +"@kbn/index-management-plugin@link:x-pack/platform/plugins/shared/index_management": version "0.0.0" uid "" From cdbcfd7a5d102419e2a66d20c5ae328d1ae9dfa2 Mon Sep 17 00:00:00 2001 From: Faisal Kanout Date: Thu, 19 Dec 2024 19:40:30 +0100 Subject: [PATCH 12/31] [Observability plugin] Audit new EUI Borealis theme (#204615) ## Summary It fixes #203338 by updating tokens and migrating from `styled-components` to `@emotion` and Eui Visual Refresh for Borealis theme for the files owned by @elastic/obs-ux-management-team. --- .../kbn-babel-preset/styled_components_files.js | 8 -------- .../field_value_selection.test.tsx | 11 +++++------ .../field_value_selection.tsx | 14 ++++++-------- .../field_value_suggestions/index.test.tsx | 8 ++++---- .../entity_manager_app/public/application.tsx | 5 ++--- .../common/monitor_test_result/status_badge.tsx | 2 +- .../common/screenshot/empty_thumbnail.tsx | 14 ++++---------- .../screenshot/journey_screenshot_dialog.tsx | 9 ++++----- .../monitor_status/monitor_status_legend.tsx | 2 +- .../waterfall_header/waterfall_tick_axis.tsx | 2 +- .../filters_expression_select.test.tsx | 17 ++++++++++------- .../overview/filter_group/filter_group.test.tsx | 7 ++++++- 12 files changed, 44 insertions(+), 55 deletions(-) diff --git a/packages/kbn-babel-preset/styled_components_files.js b/packages/kbn-babel-preset/styled_components_files.js index 707053b68585f..d1b09556a8bf2 100644 --- a/packages/kbn-babel-preset/styled_components_files.js +++ b/packages/kbn-babel-preset/styled_components_files.js @@ -21,15 +21,7 @@ module.exports = { /x-pack[\/\\]plugins[\/\\]observability_solution[\/\\]observability_shared[\/\\]/, /x-pack[\/\\]plugins[\/\\]security_solution[\/\\]/, /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]exploratory_view[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]investigate_app[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]investigate[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]observability_ai_assistant_app[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]observability_ai_assistant_management[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]observability_solution[\/\\]/, /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]observability[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]serverless_observability[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]streams_app[\/\\]/, - /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]streams[\/\\]/, /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]synthetics[\/\\]/, /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]uptime[\/\\]/, /x-pack[\/\\]solutions[\/\\]observability[\/\\]plugins[\/\\]ux[\/\\]/, diff --git a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.test.tsx b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.test.tsx index 9839d1d5d58e9..01e86b87e6d6c 100644 --- a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.test.tsx +++ b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.test.tsx @@ -8,8 +8,7 @@ import React from 'react'; import { mount, render } from 'enzyme'; import { FieldValueSelection } from './field_value_selection'; -import { EuiSelectableList } from '@elastic/eui'; -import { EuiThemeProvider } from '@kbn/kibana-react-plugin/common'; +import { EuiSelectableList, EuiThemeProvider } from '@elastic/eui'; const values = [ { label: 'elastic co frontend', count: 1 }, @@ -56,23 +55,23 @@ describe('FieldValueSelection', () => { expect((list.props() as any).visibleOptions).toMatchInlineSnapshot(` Array [ Object { - "append": + "append": 1 - , + , "label": "elastic co frontend", }, Object { - "append": + "append": 2 - , + , "label": "apm server", }, ] diff --git a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.tsx b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.tsx index aebb3a145371e..e74173e90cfff 100644 --- a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.tsx +++ b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/field_value_selection.tsx @@ -21,15 +21,13 @@ import { useEuiTheme, } from '@elastic/eui'; import { i18n } from '@kbn/i18n'; -import styled from 'styled-components'; import { isEqual, map } from 'lodash'; -import { euiStyled } from '@kbn/kibana-react-plugin/common'; +import styled from '@emotion/styled'; import { FieldValueSelectionProps, ListItem } from './types'; - -const Counter = euiStyled.div` - border-radius: ${({ theme }) => theme.eui.euiBorderRadius}; - background: ${({ theme }) => theme.eui.euiColorLightShade}; - padding: 0 ${({ theme }) => theme.eui.euiSizeXS}; +const Counter = styled.div` + border-radius: ${({ theme }) => theme.euiTheme.border.radius.medium}; + background: ${({ theme }) => theme.euiTheme.colors.lightShade}; + padding: 0 ${({ theme }) => theme.euiTheme.size.xs}; `; const formatOptions = ( @@ -221,7 +219,7 @@ export function FieldValueSelection({ css={{ flexDirection: 'row-reverse', gap: euiTheme.size.s, - color: euiTheme.colors.subduedText, + color: euiTheme.colors.textSubdued, }} label={i18n.translate( 'xpack.observabilityShared.fieldValueSelection.logicalAnd', diff --git a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/index.test.tsx b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/index.test.tsx index 4cc1375b22db2..de01857f15a7a 100644 --- a/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/index.test.tsx +++ b/x-pack/plugins/observability_solution/observability_shared/public/components/field_value_suggestions/index.test.tsx @@ -8,7 +8,7 @@ import React from 'react'; import { FieldValueSuggestions } from '.'; import { render, screen, fireEvent, waitForElementToBeRemoved } from '@testing-library/react'; -import { EuiThemeProvider } from '@kbn/kibana-react-plugin/common'; +import { EuiThemeProvider } from '@elastic/eui'; import * as obsHooks from '../../hooks/use_es_search'; jest.setTimeout(30000); @@ -45,7 +45,7 @@ describe('FieldValueSuggestions', () => { ]); render( - + { const onChange = jest.fn(); const { rerender } = render( - + { await waitForElementToBeRemoved(() => screen.queryByText('Apply')); rerender( - + - + diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/monitor_test_result/status_badge.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/monitor_test_result/status_badge.tsx index dd72eac40afc3..d0ac65e54d7ce 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/monitor_test_result/status_badge.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/monitor_test_result/status_badge.tsx @@ -47,7 +47,7 @@ export const getBadgeColorForMonitorStatus = (status: MonitorStatus): IconColor export const getTextColorForMonitorStatus = ( status: MonitorStatus ): keyof EuiThemeComputed['colors'] => { - return status === 'skipped' ? 'disabledText' : 'text'; + return status === 'skipped' ? 'textDisabled' : 'textParagraph'; }; export const COMPLETE_LABEL = i18n.translate('xpack.synthetics.monitorStatus.complete', { diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/empty_thumbnail.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/empty_thumbnail.tsx index 45e1e780d1e31..2989a821e7e5e 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/empty_thumbnail.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/empty_thumbnail.tsx @@ -7,13 +7,7 @@ import React from 'react'; import { i18n } from '@kbn/i18n'; -import { - useEuiTheme, - useEuiBackgroundColor, - EuiIcon, - EuiText, - EuiSkeletonRectangle, -} from '@elastic/eui'; +import { useEuiTheme, EuiIcon, EuiText, EuiSkeletonRectangle } from '@elastic/eui'; import { getConfinedScreenshotSize, @@ -59,7 +53,7 @@ export const EmptyThumbnail = ({ ...thumbnailStyle, width, height, - background: useEuiBackgroundColor('subdued'), + background: euiTheme.colors.backgroundBaseSubdued, border: euiTheme.border.thin, ...(borderRadius ? { borderRadius } : {}), }} @@ -103,11 +97,11 @@ export const EmptyThumbnail = ({ {unavailableMessage ? ( - {unavailableMessage} + {unavailableMessage} ) : null}
)} diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/journey_screenshot_dialog.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/journey_screenshot_dialog.tsx index b608c694189bc..a5f2a93d4df52 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/journey_screenshot_dialog.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/common/screenshot/journey_screenshot_dialog.tsx @@ -27,8 +27,7 @@ import { EuiOutsideClickDetector, useIsWithinMaxBreakpoint, } from '@elastic/eui'; -import { euiStyled } from '@kbn/kibana-react-plugin/common'; - +import styled from '@emotion/styled'; import { SYNTHETICS_API_URLS } from '../../../../../../common/constants'; import { SyntheticsSettingsContext } from '../../../contexts'; import { useRetrieveStepImage } from '../monitor_test_result/use_retrieve_step_image'; @@ -173,7 +172,7 @@ export const JourneyScreenshotDialog = ({ - + {i18n.translate('xpack.synthetics.monitor.stepOfSteps', { defaultMessage: 'Step: {stepNumber} of {totalSteps}', values: { @@ -201,7 +200,7 @@ export const JourneyScreenshotDialog = ({ div { display: flex; diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitor_details/monitor_status/monitor_status_legend.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitor_details/monitor_status/monitor_status_legend.tsx index 0fad37e676b4f..b0166e9636770 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitor_details/monitor_status/monitor_status_legend.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/monitor_details/monitor_status/monitor_status_legend.tsx @@ -52,7 +52,7 @@ export const MonitorStatusLegend = ({ brushable }: { brushable: boolean }) => { <> - + {labels.BRUSH_AREA_MESSAGE} diff --git a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_header/waterfall_tick_axis.tsx b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_header/waterfall_tick_axis.tsx index 197dcdb4da1bb..f0025931b6f76 100644 --- a/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_header/waterfall_tick_axis.tsx +++ b/x-pack/solutions/observability/plugins/synthetics/public/apps/synthetics/components/step_details_page/step_waterfall_chart/waterfall/waterfall_header/waterfall_tick_axis.tsx @@ -61,7 +61,7 @@ export const WaterfallTickAxis = ({ marginBottom: euiTheme.size.s, whiteSpace: 'nowrap', cursor: 'pointer', - color: euiTheme.colors.primaryText, + color: euiTheme.colors.textPrimary, }} onClick={() => { setOnlyHighlighted(!showOnlyHighlightedNetworkRequests); diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/alerts/monitor_expressions/filters_expression_select.test.tsx b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/alerts/monitor_expressions/filters_expression_select.test.tsx index 3b70c23a699fa..5318e1bd8a820 100644 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/alerts/monitor_expressions/filters_expression_select.test.tsx +++ b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/alerts/monitor_expressions/filters_expression_select.test.tsx @@ -11,6 +11,7 @@ import { FiltersExpressionsSelect } from './filters_expression_select'; import { render } from '../../../../lib/helper/rtl_helpers'; import { filterAriaLabels as aria } from './translations'; import * as Hooks from '@kbn/observability-shared-plugin/public/hooks/use_values_list'; +import { EuiThemeProvider } from '@elastic/eui'; describe('FiltersExpressionSelect', () => { const LOCATION_FIELD_NAME = 'observer.geo.name'; @@ -114,13 +115,15 @@ describe('FiltersExpressionSelect', () => { const spy = jest.spyOn(Hooks, 'useValuesList'); spy.mockReturnValue({ loading: false, values: [{ label: 'test-label', count: 3 }] }); const { getByLabelText, getByText } = render( - + + + ); const filterButton = getByLabelText(expectedFilterButtonAriaLabel); diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/filter_group/filter_group.test.tsx b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/filter_group/filter_group.test.tsx index 7591bc7ef7473..f6287bc678158 100644 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/filter_group/filter_group.test.tsx +++ b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/filter_group/filter_group.test.tsx @@ -10,6 +10,7 @@ import { fireEvent, waitFor } from '@testing-library/react'; import { render } from '../../../lib/helper/rtl_helpers'; import { FilterGroup } from './filter_group'; import * as Hooks from '@kbn/observability-shared-plugin/public/hooks/use_values_list'; +import { EuiThemeProvider } from '@elastic/eui'; describe('FilterGroup', () => { it.each([ @@ -97,7 +98,11 @@ describe('FilterGroup', () => { }); } - const { getByLabelText, getAllByLabelText } = render(); + const { getByLabelText, getAllByLabelText } = render( + + + + ); await waitFor(() => { const popoverButton = getByLabelText(popoverButtonLabel); From fa3029225ae386a71f0109132354746a75201dd7 Mon Sep 17 00:00:00 2001 From: Matthias Wilhelm Date: Thu, 19 Dec 2024 19:44:25 +0100 Subject: [PATCH 13/31] [Discover] Reintroduce ESQL request count tests (#204925) --- .../apps/discover/group3/_request_counts.ts | 157 +++++++++++++----- 1 file changed, 112 insertions(+), 45 deletions(-) diff --git a/test/functional/apps/discover/group3/_request_counts.ts b/test/functional/apps/discover/group3/_request_counts.ts index 32f1be5a62e79..ecf84ede5a714 100644 --- a/test/functional/apps/discover/group3/_request_counts.ts +++ b/test/functional/apps/discover/group3/_request_counts.ts @@ -21,9 +21,12 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { ]); const testSubjects = getService('testSubjects'); const browser = getService('browser'); + const monacoEditor = getService('monacoEditor'); const filterBar = getService('filterBar'); const queryBar = getService('queryBar'); const elasticChart = getService('elasticChart'); + const log = getService('log'); + const retry = getService('retry'); describe('discover request counts', function describeIndexTests() { before(async function () { @@ -39,6 +42,8 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { enableESQL: true, }); await timePicker.setDefaultAbsoluteRangeViaUiSettings(); + await common.navigateToApp('discover'); + await header.waitUntilLoadingHasFinished(); }); after(async () => { @@ -47,18 +52,31 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { await kibanaServer.uiSettings.replace({}); }); - beforeEach(async () => { - await common.navigateToApp('discover'); - await header.waitUntilLoadingHasFinished(); - }); + const expectSearchCount = async (type: 'ese' | 'esql', searchCount: number) => { + await retry.try(async () => { + if (searchCount === 0) { + await browser.execute(async () => { + performance.clearResourceTimings(); + }); + } + await waitForLoadingToFinish(); + const endpoint = type === 'esql' ? `${type}_async` : type; + const requests = await browser.execute(() => + performance + .getEntries() + .filter((entry: any) => ['fetch', 'xmlhttprequest'].includes(entry.initiatorType)) + ); - const getSearchCount = async (type: 'ese' | 'esql') => { - const requests = await browser.execute(() => - performance - .getEntries() - .filter((entry: any) => ['fetch', 'xmlhttprequest'].includes(entry.initiatorType)) - ); - return requests.filter((entry) => entry.name.endsWith(`/internal/search/${type}`)).length; + const result = requests.filter((entry) => + entry.name.endsWith(`/internal/search/${endpoint}`) + ); + + const count = result.length; + if (count !== searchCount) { + log.warning('Request count differs:', result); + } + expect(count).to.be(searchCount); + }); }; const waitForLoadingToFinish = async () => { @@ -68,15 +86,9 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { }; const expectSearches = async (type: 'ese' | 'esql', expected: number, cb: Function) => { - await browser.execute(async () => { - performance.clearResourceTimings(); - }); - let searchCount = await getSearchCount(type); - expect(searchCount).to.be(0); + await expectSearchCount(type, 0); await cb(); - await waitForLoadingToFinish(); - searchCount = await getSearchCount(type); - expect(searchCount).to.be(expected); + await expectSearchCount(type, expected); }; const getSharedTests = ({ @@ -103,8 +115,9 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { performance.setResourceTimingBufferSize(Number.MAX_SAFE_INTEGER); }); await waitForLoadingToFinish(); - const searchCount = await getSearchCount(type); - expect(searchCount).to.be(expectedRequests); + // one more requests for fields in ESQL mode + const actualExpectedRequests = type === 'esql' ? expectedRequests + 1 : expectedRequests; + await expectSearchCount(type, actualExpectedRequests); }); it(`should send no more than ${expectedRequests} requests (documents + chart) when refreshing`, async () => { @@ -121,12 +134,16 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { }); it(`should send no more than ${expectedRequests} requests (documents + chart) when changing the time range`, async () => { - await expectSearches(type, expectedRequests, async () => { - await timePicker.setAbsoluteRange( - 'Sep 21, 2015 @ 06:31:44.000', - 'Sep 23, 2015 @ 00:00:00.000' - ); - }); + await expectSearches( + type, + type === 'esql' ? expectedRequests + 1 : expectedRequests, + async () => { + await timePicker.setAbsoluteRange( + 'Sep 21, 2015 @ 06:31:44.000', + 'Sep 23, 2015 @ 00:00:00.000' + ); + } + ); }); it(`should send ${savedSearchesRequests} requests for saved search changes`, async () => { @@ -137,35 +154,50 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { 'Sep 23, 2015 @ 00:00:00.000' ); await waitForLoadingToFinish(); - // TODO: Check why the request happens 4 times in case of opening a saved search - // https://github.com/elastic/kibana/issues/165192 - // creating the saved search - await expectSearches(type, savedSearchesRequests ?? expectedRequests, async () => { - await discover.saveSearch(savedSearch); - }); - // resetting the saved search + const actualExpectedRequests = savedSearchesRequests ?? expectedRequests; + log.debug('Creating saved search'); + await expectSearches( + type, + type === 'esql' ? actualExpectedRequests + 2 : actualExpectedRequests, + async () => { + await discover.saveSearch(savedSearch); + } + ); + log.debug('Resetting saved search'); await setQuery(query2); await queryBar.clickQuerySubmitButton(); await waitForLoadingToFinish(); - await expectSearches(type, expectedRequests, async () => { + await expectSearches(type, actualExpectedRequests, async () => { await discover.revertUnsavedChanges(); }); - // clearing the saved search - await expectSearches('ese', savedSearchesRequests ?? expectedRequests, async () => { - await testSubjects.click('discoverNewButton'); - await waitForLoadingToFinish(); - }); - // loading the saved search - // TODO: https://github.com/elastic/kibana/issues/165192 - await expectSearches(type, savedSearchesRequests ?? expectedRequests, async () => { - await discover.loadSavedSearch(savedSearch); - }); + log.debug('Clearing saved search'); + await expectSearches( + type, + type === 'esql' ? actualExpectedRequests + 2 : actualExpectedRequests, + async () => { + await testSubjects.click('discoverNewButton'); + await waitForLoadingToFinish(); + } + ); + log.debug('Loading saved search'); + await expectSearches( + type, + type === 'esql' ? actualExpectedRequests + 2 : actualExpectedRequests, + async () => { + await discover.loadSavedSearch(savedSearch); + } + ); }); }; describe('data view mode', () => { const type = 'ese'; + beforeEach(async () => { + await common.navigateToApp('discover'); + await header.waitUntilLoadingHasFinished(); + }); + getSharedTests({ type, savedSearch: 'data view test', @@ -206,6 +238,7 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { }); it('should send no more than 3 requests (documents + chart + other bucket) when changing to a breakdown field with an other bucket', async () => { + await testSubjects.click('discoverNewButton'); await expectSearches(type, 3, async () => { await discover.chooseBreakdownField('extension.raw'); }); @@ -223,5 +256,39 @@ export default function ({ getService, getPageObjects }: FtrProviderContext) { }); }); }); + + describe('ES|QL mode', () => { + const type = 'esql'; + before(async () => { + await common.navigateToApp('discover'); + await header.waitUntilLoadingHasFinished(); + await discover.selectTextBaseLang(); + }); + + beforeEach(async () => { + await monacoEditor.setCodeEditorValue('from logstash-* | where bytes > 1000 '); + await queryBar.clickQuerySubmitButton(); + await waitForLoadingToFinish(); + }); + + getSharedTests({ + type, + savedSearch: 'esql test', + query1: 'from logstash-* | where bytes > 1000 ', + query2: 'from logstash-* | where bytes < 2000 ', + savedSearchesRequests: 2, + setQuery: (query) => monacoEditor.setCodeEditorValue(query), + expectedRequests: 2, + }); + + it(`should send requests (documents + chart) when toggling the chart visibility`, async () => { + await expectSearches(type, 1, async () => { + await discover.toggleChartVisibility(); + }); + await expectSearches(type, 3, async () => { + await discover.toggleChartVisibility(); + }); + }); + }); }); } From 76781415a37903453a793bab8e134da8687d919f Mon Sep 17 00:00:00 2001 From: "elastic-renovate-prod[bot]" <174716857+elastic-renovate-prod[bot]@users.noreply.github.com> Date: Thu, 19 Dec 2024 11:01:28 -0800 Subject: [PATCH 14/31] Update docker.elastic.co/wolfi/chainguard-base:latest Docker digest to bfdeddb (main) (#204662) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | docker.elastic.co/wolfi/chainguard-base | digest | `1b51ff6` -> `bfdeddb` | --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). Co-authored-by: elastic-renovate-prod[bot] <174716857+elastic-renovate-prod[bot]@users.noreply.github.com> Co-authored-by: Brad White --- src/dev/build/tasks/os_packages/docker_generator/run.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/dev/build/tasks/os_packages/docker_generator/run.ts b/src/dev/build/tasks/os_packages/docker_generator/run.ts index ca45a31ad7310..4014aa771e510 100644 --- a/src/dev/build/tasks/os_packages/docker_generator/run.ts +++ b/src/dev/build/tasks/os_packages/docker_generator/run.ts @@ -51,7 +51,7 @@ export async function runDockerGenerator( */ if (flags.baseImage === 'wolfi') baseImageName = - 'docker.elastic.co/wolfi/chainguard-base:latest@sha256:1b51ff6dba78c98d3e02b0cd64a8ce3238c7a40408d21e3af12a329d44db6f23'; + 'docker.elastic.co/wolfi/chainguard-base:latest@sha256:bfdeddb33330a281950c2a54adef991dbbe6a42832bc505d13b11beaf50ae73f'; let imageFlavor = ''; if (flags.baseImage === 'ubi') imageFlavor += `-ubi`; From c521c1c139a4a661c76be83497bc18affdda0857 Mon Sep 17 00:00:00 2001 From: Marco Liberati Date: Thu, 19 Dec 2024 20:34:49 +0100 Subject: [PATCH 15/31] [Lens][Embeddable] Apply the correct references for filters (#204047) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit ## Summary Fixes #180726 Fix the filter references when inline editing with the correct ones. I've tried to reduce the fix to a minimal `extract` wrapper, but unfortunately that is not possible due to some shared logic who rely on the passed filters references and need to be injected. So, why not injecting them and instead rely on the search context api? Right now there's no difference, but formally the `api.filters$` is the right place to get the latest version, and if in the future the `Edit filters` flows would change, this api should be the go-to place to have the right value. Why not adding a FTR? There's a bigger problem with the panel filters action who has a dynamic `data-test-subj` value which is impossible to get right now. I would rather prefer to fix that first and then add some tests in general for multiple scenarios in Lens. ## Testing it locally * Create a viz with a filter in the editor, save and return to dashboard * Check the filters are shown correctly in the dashboard panel * Edit inline and change the chart type. Apply changes * Check the filters are shown correctly * Now "edit" in the editor without changing anything * Check the filter can be edited correctly (no empty popover) ✅ or 💥 * Save and return to dashboard * Check the filters are shown correctly ✅ or 💥 --- .../initializers/initialize_edit.tsx | 32 ++++++++++++++++++- .../initializers/initialize_search_context.ts | 27 +++++++++++----- .../react_embeddable/lens_embeddable.tsx | 9 +++++- 3 files changed, 58 insertions(+), 10 deletions(-) diff --git a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_edit.tsx b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_edit.tsx index 81372dad339f7..4674fb84c2635 100644 --- a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_edit.tsx +++ b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_edit.tsx @@ -37,6 +37,7 @@ import { setupPanelManagement } from '../inline_editing/panel_management'; import { mountInlineEditPanel } from '../inline_editing/mount'; import { StateManagementConfig } from './initialize_state_management'; import { apiPublishesInlineEditingCapabilities } from '../type_guards'; +import { SearchContextConfig } from './initialize_search_context'; function getSupportedTriggers( getState: GetStateType, @@ -61,6 +62,7 @@ export function initializeEditApi( internalApi: LensInternalApi, stateApi: StateManagementConfig['api'], inspectorApi: LensInspectorAdapters, + searchContextApi: SearchContextConfig['api'], isTextBasedLanguage: (currentState: LensRuntimeState) => boolean, startDependencies: LensEmbeddableStartServices, parentApi?: unknown @@ -126,9 +128,34 @@ export function initializeEditApi( stateApi.updateSavedObjectId(newState.savedObjectId); }; + // Wrap the getState() when inline editing and make sure that the filters in the attributes + // are properly injected with the correct references to avoid issues when saving/navigating to the full editor + const getStateWithInjectedFilters = () => { + const currentState = getState(); + // use the search context api here for filters for 2 reasons: + // * the filters here have the correct references already injected + // * the edit filters flow may change in the future and this is the right place to get the filters + const currentFilters = searchContextApi.filters$.getValue() ?? []; + // if there are no filters, avoid to copy the attributes + if (!currentFilters.length) { + return currentState; + } + // otherwise make sure to inject the references into filters + return { + ...currentState, + attributes: { + ...currentState.attributes, + state: { + ...currentState.attributes.state, + filters: currentFilters, + }, + }, + }; + }; + const openInlineEditor = prepareInlineEditPanel( initialState, - getState, + getStateWithInjectedFilters, updateState, internalApi, panelManagementApi, @@ -205,6 +232,9 @@ export function initializeEditApi( const rootEmbeddable = parentApi; const overlayTracker = tracksOverlays(rootEmbeddable) ? rootEmbeddable : undefined; const ConfigPanel = await openInlineEditor({ + // the getState() here contains the wrong filters references + // but the input attributes are correct as openInlineEditor() handler is using + // the getStateWithInjectedFilters() function onApply: (attributes: LensRuntimeState['attributes']) => updateState({ ...getState(), attributes }), // restore the first state found when the panel opened diff --git a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_search_context.ts b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_search_context.ts index 1a608de11e230..1d95fd49b3f55 100644 --- a/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_search_context.ts +++ b/x-pack/plugins/lens/public/react_embeddable/initializers/initialize_search_context.ts @@ -18,18 +18,26 @@ import { apiPublishesSearchSession, } from '@kbn/presentation-publishing/interfaces/fetch/publishes_search_session'; import { buildObservableVariable } from '../helper'; -import { LensInternalApi, LensRuntimeState, LensUnifiedSearchContext } from '../types'; +import { + LensEmbeddableStartServices, + LensInternalApi, + LensRuntimeState, + LensUnifiedSearchContext, +} from '../types'; -export function initializeSearchContext( - initialState: LensRuntimeState, - internalApi: LensInternalApi, - parentApi: unknown -): { +export interface SearchContextConfig { api: PublishesUnifiedSearch & PublishesSearchSession; comparators: StateComparators; serialize: () => LensUnifiedSearchContext; cleanup: () => void; -} { +} + +export function initializeSearchContext( + initialState: LensRuntimeState, + internalApi: LensInternalApi, + parentApi: unknown, + { injectFilterReferences }: LensEmbeddableStartServices +): SearchContextConfig { const [searchSessionId$] = buildObservableVariable( apiPublishesSearchSession(parentApi) ? parentApi.searchSessionId$ : undefined ); @@ -38,7 +46,10 @@ export function initializeSearchContext( const [lastReloadRequestTime] = buildObservableVariable(undefined); - const [filters$] = buildObservableVariable(attributes.state.filters); + // Make sure the panel access the filters with the correct references + const [filters$] = buildObservableVariable( + injectFilterReferences(attributes.state.filters, attributes.references) + ); const [query$] = buildObservableVariable( attributes.state.query diff --git a/x-pack/plugins/lens/public/react_embeddable/lens_embeddable.tsx b/x-pack/plugins/lens/public/react_embeddable/lens_embeddable.tsx index 2fc1928dc40c8..c193e02c06f0e 100644 --- a/x-pack/plugins/lens/public/react_embeddable/lens_embeddable.tsx +++ b/x-pack/plugins/lens/public/react_embeddable/lens_embeddable.tsx @@ -84,6 +84,13 @@ export const createLensEmbeddableFactory = ( const inspectorConfig = initializeInspector(services); + const searchContextConfig = initializeSearchContext( + initialState, + internalApi, + parentApi, + services + ); + const editConfig = initializeEditApi( uuid, initialState, @@ -91,12 +98,12 @@ export const createLensEmbeddableFactory = ( internalApi, stateConfig.api, inspectorConfig.api, + searchContextConfig.api, isTextBasedLanguage, services, parentApi ); - const searchContextConfig = initializeSearchContext(initialState, internalApi, parentApi); const integrationsConfig = initializeIntegrations(getState, services); const actionsConfig = initializeActionApi( uuid, From 37df2060958a2835875e96db064bb0ed212b7677 Mon Sep 17 00:00:00 2001 From: Mason Herron <46727170+Supplementing@users.noreply.github.com> Date: Thu, 19 Dec 2024 12:49:36 -0700 Subject: [PATCH 16/31] [Fleet] Agent upgrade form validation fix (#204846) ## Summary Closes #197399 Implemented a fix when trying to bulk upgrade agents that are on the current version (see issue for further explanation). Instead of a combobox, a text field would be shown but the current version (in line with the kibana version) wasn't automatically being added to the field as intended due to the wrong variable being passed as the `value` prop. However the correct version was being applied to the behind-the-scenes check, allowing the user to submit even though it looked like nothing had been entered in the field. - Fixed `value` prop on input to use the correct pre-filled value initially - Added a check so that if there were errors with the version being typed in, the button would also get disabled to stop submissions with invalid versions ### Checklist Check the PR satisfies following conditions. Reviewers should verify this PR satisfies this list as well. - [ ] Any text added follows [EUI's writing guidelines](https://elastic.github.io/eui/#/guidelines/writing), uses sentence case text and includes [i18n support](https://github.com/elastic/kibana/blob/main/packages/kbn-i18n/README.md) - [ ] [Documentation](https://www.elastic.co/guide/en/kibana/master/development-documentation.html) was added for features that require explanation or tutorials - [ ] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios - [ ] If a plugin configuration key changed, check if it needs to be allowlisted in the cloud and added to the [docker list](https://github.com/elastic/kibana/blob/main/src/dev/build/tasks/os_packages/docker_generator/resources/base/bin/kibana-docker) - [ ] This was checked for breaking HTTP API changes, and any breaking changes have been approved by the breaking-change committee. The `release_note:breaking` label should be applied in these situations. - [ ] [Flaky Test Runner](https://ci-stats.kibana.dev/trigger_flaky_test_runner/1) was used on any tests changed - [ ] The PR description includes the appropriate Release Notes section, and the correct `release_note:*` label is applied per the [guidelines](https://www.elastic.co/guide/en/kibana/master/contributing.html#kibana-release-notes-process) ### Identify risks n/a --- .../agents/components/agent_upgrade_modal/index.tsx | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/x-pack/plugins/fleet/public/applications/fleet/sections/agents/components/agent_upgrade_modal/index.tsx b/x-pack/plugins/fleet/public/applications/fleet/sections/agents/components/agent_upgrade_modal/index.tsx index b65b90e8062bd..da7c2d2af9aba 100644 --- a/x-pack/plugins/fleet/public/applications/fleet/sections/agents/components/agent_upgrade_modal/index.tsx +++ b/x-pack/plugins/fleet/public/applications/fleet/sections/agents/components/agent_upgrade_modal/index.tsx @@ -230,7 +230,6 @@ export const AgentUpgradeAgentModal: React.FunctionComponent { const newValue = e.target.value; - setSelectedVersionStr(newValue); + setSelectedVersion([{ label: newValue, value: newValue }]); }} isInvalid={!!semverErrors} From a0ebb1d08a18bac8c39d3c945086218bfce61871 Mon Sep 17 00:00:00 2001 From: Lene Gadewoll Date: Thu, 19 Dec 2024 20:57:23 +0100 Subject: [PATCH 17/31] Upgrade EUI to v98.2.1 (#204482) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit `v98.1.0-borealis.0`⏩`v98.2.1-borealis.2` _[Questions? Please see our Kibana upgrade FAQ.](https://github.com/elastic/eui/blob/main/wiki/eui-team-processes/upgrading-kibana.md#faq-for-kibana-teams)_ --- # `@elastic/eui` ## [`v98.2.1`](https://github.com/elastic/eui/releases/v98.2.1) - Updated the EUI theme color values to use a full 6 char hex code format ([#8244](https://github.com/elastic/eui/pull/8244)) ## [`v98.2.0`](https://github.com/elastic/eui/releases/v98.2.0) - Added two new icons: `contrast` and `contrastHigh` ([#8216](https://github.com/elastic/eui/pull/8216)) - Updated `EuiDataGrid` content to have a transparent background. ([#8220](https://github.com/elastic/eui/pull/8220)) **Accessibility** - When the tooltips components (`EuiTooltip`, `EuiIconTip`) are used inside components that handle the Escape key (like `EuiFlyout` or `EuiModal`), pressing the Escape key will now only close the tooltip and not the entire wrapping component. ([#8140](https://github.com/elastic/eui/pull/8140)) - Improved the accessibility of `EuiCodeBlock`s by ([#8195](https://github.com/elastic/eui/pull/8195)) - adding screen reader only labels - adding `role="dialog"` on in fullscreen mode - ensuring focus is returned on closing fullscreen mode # Borealis updates - [Visual Refresh] Update color token mappings ([#8211](https://github.com/elastic/eui/pull/8211)) - [Visual Refresh] Introduce shared popover arrow styles to Borealis ([#8212](https://github.com/elastic/eui/pull/8212)) - [Visual Refresh] Add forms.maxWidth token ([#8221](https://github.com/elastic/eui/pull/8221)) - [Visual Refresh] Set darker shade for subdued text ([#8224](https://github.com/elastic/eui/pull/8224)) - [Visual Refresh] Remove support for accentSecondary badges ([#8224](https://github.com/elastic/eui/pull/8227)) - [Visual Refresh] Add severity vis colors ([#8247](https://github.com/elastic/eui/pull/8247)) - [Visual Refresh] Fix transparent color variable definitions ([8249](https://github.com/elastic/eui/pull/8249)) - [Visual Refresh] Update EuiToken colors ([8250](https://github.com/elastic/eui/pull/8250)) --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- package.json | 4 +- .../__snapshots__/i18n_service.test.tsx.snap | 2 + .../src/i18n_eui_mapping.tsx | 8 +++ .../unsaved_changes_badge.test.tsx.snap | 2 +- ...op_nav_unsaved_changes_badge.test.tsx.snap | 2 +- .../src/popover/popover.test.tsx | 2 +- src/dev/license_checker/config.ts | 4 +- .../extend_index_management.test.tsx.snap | 6 +- .../__snapshots__/app.test.tsx.snap | 2 +- .../__snapshots__/settings.test.tsx.snap | 70 ++++++++++++------- .../collection_interval.test.js.snap | 2 +- .../__snapshots__/prompt_page.test.tsx.snap | 4 +- .../unauthenticated_page.test.tsx.snap | 4 +- .../reset_session_page.test.tsx.snap | 4 +- .../public/components/rca/rca_panel/index.tsx | 6 +- .../ml_integerations.test.tsx.snap | 2 +- yarn.lock | 26 +++---- 17 files changed, 92 insertions(+), 58 deletions(-) diff --git a/package.json b/package.json index 937c11ebf3043..29ffd5f72b927 100644 --- a/package.json +++ b/package.json @@ -117,8 +117,8 @@ "@elastic/ecs": "^8.11.1", "@elastic/elasticsearch": "^8.16.0", "@elastic/ems-client": "8.5.3", - "@elastic/eui": "98.1.0-borealis.0", - "@elastic/eui-theme-borealis": "0.0.4", + "@elastic/eui": "98.2.1-borealis.2", + "@elastic/eui-theme-borealis": "0.0.7", "@elastic/filesaver": "1.1.2", "@elastic/node-crypto": "^1.2.3", "@elastic/numeral": "^2.5.1", diff --git a/packages/core/i18n/core-i18n-browser-internal/src/__snapshots__/i18n_service.test.tsx.snap b/packages/core/i18n/core-i18n-browser-internal/src/__snapshots__/i18n_service.test.tsx.snap index 52a55d3113173..373c07ecf976c 100644 --- a/packages/core/i18n/core-i18n-browser-internal/src/__snapshots__/i18n_service.test.tsx.snap +++ b/packages/core/i18n/core-i18n-browser-internal/src/__snapshots__/i18n_service.test.tsx.snap @@ -31,8 +31,10 @@ exports[`#start() returns \`Context\` component 1`] = ` "euiCardSelect.select": "Select", "euiCardSelect.selected": "Selected", "euiCardSelect.unavailable": "Unavailable", + "euiCodeBlock.label": [Function], "euiCodeBlockAnnotations.ariaLabel": [Function], "euiCodeBlockCopy.copy": "Copy", + "euiCodeBlockFullScreen.ariaLabel": "Expanded code block", "euiCodeBlockFullScreen.fullscreenCollapse": "Collapse", "euiCodeBlockFullScreen.fullscreenExpand": "Expand", "euiCollapsedItemActions.allActions": [Function], diff --git a/packages/core/i18n/core-i18n-browser-internal/src/i18n_eui_mapping.tsx b/packages/core/i18n/core-i18n-browser-internal/src/i18n_eui_mapping.tsx index c48dffd8caa45..d77134acb2437 100644 --- a/packages/core/i18n/core-i18n-browser-internal/src/i18n_eui_mapping.tsx +++ b/packages/core/i18n/core-i18n-browser-internal/src/i18n_eui_mapping.tsx @@ -1828,5 +1828,13 @@ export const getEuiContextMapping = (): EuiTokensObject => { defaultMessage: 'Selection', } ), + 'euiCodeBlockFullScreen.ariaLabel': i18n.translate('core.euiCodeBlockFullScreen.ariaLabel', { + defaultMessage: 'Expanded code block', + }), + 'euiCodeBlock.label': ({ language }: EuiValues) => + i18n.translate('core.euiCodeBlock.label', { + defaultMessage: '{language} code block:', + values: { language }, + }), }; }; diff --git a/packages/kbn-unsaved-changes-badge/src/components/unsaved_changes_badge/__snapshots__/unsaved_changes_badge.test.tsx.snap b/packages/kbn-unsaved-changes-badge/src/components/unsaved_changes_badge/__snapshots__/unsaved_changes_badge.test.tsx.snap index 9991c8a2165d0..9103b94e19379 100644 --- a/packages/kbn-unsaved-changes-badge/src/components/unsaved_changes_badge/__snapshots__/unsaved_changes_badge.test.tsx.snap +++ b/packages/kbn-unsaved-changes-badge/src/components/unsaved_changes_badge/__snapshots__/unsaved_changes_badge.test.tsx.snap @@ -10,7 +10,7 @@ exports[` should show all menu items 1`] = ` aria-label="View available actions" class="euiBadge emotion-euiBadge-clickable" data-test-subj="unsavedChangesBadge" - style="--euiBadgeBackgroundColor: #F6E58D; --euiBadgeTextColor: #000;" + style="--euiBadgeBackgroundColor: #F6E58D; --euiBadgeTextColor: #000000;" title="test" > ', () => { const button = component.find('EuiButton'); expect(button.prop('color')).toBe('text'); expect(button.prop('css')).toMatchObject({ - backgroundColor: '#FFF', + backgroundColor: '#FFFFFF', border: '1px solid #D3DAE6', color: '#343741', }); diff --git a/src/dev/license_checker/config.ts b/src/dev/license_checker/config.ts index 1eeae89438c83..44c441f9bbe63 100644 --- a/src/dev/license_checker/config.ts +++ b/src/dev/license_checker/config.ts @@ -87,8 +87,8 @@ export const LICENSE_OVERRIDES = { 'jsts@1.6.2': ['Eclipse Distribution License - v 1.0'], // cf. https://github.com/bjornharrtell/jsts '@mapbox/jsonlint-lines-primitives@2.0.2': ['MIT'], // license in readme https://github.com/tmcw/jsonlint '@elastic/ems-client@8.5.3': ['Elastic License 2.0'], - '@elastic/eui@98.1.0-borealis.0': ['Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0'], - '@elastic/eui-theme-borealis@0.0.4': ['Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0'], + '@elastic/eui@98.2.1-borealis.2': ['Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0'], + '@elastic/eui-theme-borealis@0.0.7': ['Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0'], 'language-subtag-registry@0.3.21': ['CC-BY-4.0'], // retired ODC‑By license https://github.com/mattcg/language-subtag-registry 'buffers@0.1.1': ['MIT'], // license in importing module https://www.npmjs.com/package/binary '@bufbuild/protobuf@1.2.1': ['Apache-2.0'], // license (Apache-2.0 AND BSD-3-Clause) diff --git a/x-pack/platform/plugins/private/index_lifecycle_management/__jest__/__snapshots__/extend_index_management.test.tsx.snap b/x-pack/platform/plugins/private/index_lifecycle_management/__jest__/__snapshots__/extend_index_management.test.tsx.snap index 83e73494fcb0a..096b56da2fe6f 100644 --- a/x-pack/platform/plugins/private/index_lifecycle_management/__jest__/__snapshots__/extend_index_management.test.tsx.snap +++ b/x-pack/platform/plugins/private/index_lifecycle_management/__jest__/__snapshots__/extend_index_management.test.tsx.snap @@ -178,7 +178,7 @@ exports[`extend index management ilm summary extension should render a phase def > App renders properly 1`] = `"
markdown mock
markdown mock

Page level controls

My Canvas Workpad

There is a new region landmark with page level controls at the end of the document.

"`; +exports[` App renders properly 1`] = `"
markdown mock
markdown mock

Page level controls

My Canvas Workpad

There is a new region landmark with page level controls at the end of the document.

"`; diff --git a/x-pack/plugins/canvas/shareable_runtime/components/footer/settings/__snapshots__/settings.test.tsx.snap b/x-pack/plugins/canvas/shareable_runtime/components/footer/settings/__snapshots__/settings.test.tsx.snap index cfe41427b1ea1..3ac5a1a2731bc 100644 --- a/x-pack/plugins/canvas/shareable_runtime/components/footer/settings/__snapshots__/settings.test.tsx.snap +++ b/x-pack/plugins/canvas/shareable_runtime/components/footer/settings/__snapshots__/settings.test.tsx.snap @@ -14,14 +14,18 @@ exports[` can navigate Autoplay Settings 1`] = ` class="euiPanel euiPanel--plain euiPopover__panel emotion-euiPanel-grow-m-plain-euiPopover__panel-light-hasTransform" data-popover-panel="true" role="dialog" - style="top: -16px; left: -22px; will-change: transform, opacity; z-index: 2000;" + style="top: -16px; left: -18px; will-change: transform, opacity; z-index: 2000;" tabindex="0" >
+ class="euiPopover__arrowWrapper emotion-euiPopoverArrowWrapper" + style="left: 9px; top: 100%;" + > +
+

can navigate Autoplay Settings 2`] = ` data-popover-open="true" data-popover-panel="true" role="dialog" - style="top: -16px; left: -22px; z-index: 2000;" + style="top: -16px; left: -18px; z-index: 2000;" tabindex="0" >

+ class="euiPopover__arrowWrapper emotion-euiPopoverArrowWrapper" + style="left: 9px; top: 100%;" + > +
+

can navigate Toolbar Settings, closes when activated 1`] = class="euiPanel euiPanel--plain euiPopover__panel emotion-euiPanel-grow-m-plain-euiPopover__panel-light-hasTransform" data-popover-panel="true" role="dialog" - style="top: -16px; left: -22px; will-change: transform, opacity; z-index: 2000;" + style="top: -16px; left: -18px; will-change: transform, opacity; z-index: 2000;" tabindex="0" >

+ class="euiPopover__arrowWrapper emotion-euiPopoverArrowWrapper" + style="left: 9px; top: 100%;" + > +
+

can navigate Toolbar Settings, closes when activated 2`] = data-popover-open="true" data-popover-panel="true" role="dialog" - style="top: -16px; left: -22px; z-index: 2000;" + style="top: -16px; left: -18px; z-index: 2000;" tabindex="0" >

+ class="euiPopover__arrowWrapper emotion-euiPopoverArrowWrapper" + style="left: 9px; top: 100%;" + > +
+

can navigate Toolbar Settings, closes when activated 3`] = class="euiPanel euiPanel--plain euiPopover__panel emotion-euiPanel-grow-m-plain-euiPopover__panel-light-hasTransform" data-popover-panel="true" role="dialog" - style="top: -16px; left: -22px; z-index: 2000;" + style="top: -16px; left: -18px; z-index: 2000;" tabindex="0" >

+ class="euiPopover__arrowWrapper emotion-euiPopoverArrowWrapper" + style="left: 9px; top: 100%;" + > +
+

Turn on monitoring diff --git a/x-pack/plugins/security/server/__snapshots__/prompt_page.test.tsx.snap b/x-pack/plugins/security/server/__snapshots__/prompt_page.test.tsx.snap index db2f55f0de222..447fe4b5c92a1 100644 --- a/x-pack/plugins/security/server/__snapshots__/prompt_page.test.tsx.snap +++ b/x-pack/plugins/security/server/__snapshots__/prompt_page.test.tsx.snap @@ -1,5 +1,5 @@ // Jest Snapshot v1, https://goo.gl/fbAQLP -exports[`PromptPage renders as expected with additional scripts 1`] = `"ElasticMockedFonts

Some Title

Some Body
Action#1
Action#2
"`; +exports[`PromptPage renders as expected with additional scripts 1`] = `"ElasticMockedFonts

Some Title

Some Body
Action#1
Action#2
"`; -exports[`PromptPage renders as expected without additional scripts 1`] = `"ElasticMockedFonts

Some Title

Some Body
Action#1
Action#2
"`; +exports[`PromptPage renders as expected without additional scripts 1`] = `"ElasticMockedFonts

Some Title

Some Body
Action#1
Action#2
"`; diff --git a/x-pack/plugins/security/server/authentication/__snapshots__/unauthenticated_page.test.tsx.snap b/x-pack/plugins/security/server/authentication/__snapshots__/unauthenticated_page.test.tsx.snap index ab94f2c2efc8d..8ca838fa1ce60 100644 --- a/x-pack/plugins/security/server/authentication/__snapshots__/unauthenticated_page.test.tsx.snap +++ b/x-pack/plugins/security/server/authentication/__snapshots__/unauthenticated_page.test.tsx.snap @@ -1,5 +1,5 @@ // Jest Snapshot v1, https://goo.gl/fbAQLP -exports[`UnauthenticatedPage renders as expected 1`] = `"ElasticMockedFonts

We hit an authentication error

Try logging in again, and if the problem persists, contact your system administrator.

"`; +exports[`UnauthenticatedPage renders as expected 1`] = `"ElasticMockedFonts

We hit an authentication error

Try logging in again, and if the problem persists, contact your system administrator.

"`; -exports[`UnauthenticatedPage renders as expected with custom title 1`] = `"My Company NameMockedFonts

We hit an authentication error

Try logging in again, and if the problem persists, contact your system administrator.

"`; +exports[`UnauthenticatedPage renders as expected with custom title 1`] = `"My Company NameMockedFonts

We hit an authentication error

Try logging in again, and if the problem persists, contact your system administrator.

"`; diff --git a/x-pack/plugins/security/server/authorization/__snapshots__/reset_session_page.test.tsx.snap b/x-pack/plugins/security/server/authorization/__snapshots__/reset_session_page.test.tsx.snap index fcab54e925cfb..18a3568c092c4 100644 --- a/x-pack/plugins/security/server/authorization/__snapshots__/reset_session_page.test.tsx.snap +++ b/x-pack/plugins/security/server/authorization/__snapshots__/reset_session_page.test.tsx.snap @@ -1,5 +1,5 @@ // Jest Snapshot v1, https://goo.gl/fbAQLP -exports[`ResetSessionPage renders as expected 1`] = `"ElasticMockedFonts

You do not have permission to access the requested page

Either go back to the previous page or log in as a different user.

"`; +exports[`ResetSessionPage renders as expected 1`] = `"ElasticMockedFonts

You do not have permission to access the requested page

Either go back to the previous page or log in as a different user.

"`; -exports[`ResetSessionPage renders as expected with custom page title 1`] = `"My Company NameMockedFonts

You do not have permission to access the requested page

Either go back to the previous page or log in as a different user.

"`; +exports[`ResetSessionPage renders as expected with custom page title 1`] = `"My Company NameMockedFonts

You do not have permission to access the requested page

Either go back to the previous page or log in as a different user.

"`; diff --git a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/components/rca/rca_panel/index.tsx b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/components/rca/rca_panel/index.tsx index 2ad1225a10f71..173bf8a2c96a0 100644 --- a/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/components/rca/rca_panel/index.tsx +++ b/x-pack/solutions/observability/plugins/observability_ai_assistant_app/public/components/rca/rca_panel/index.tsx @@ -21,7 +21,11 @@ export function RootCauseAnalysisPanel({ const theme = useTheme(); const panelClassName = - color && color !== 'transparent' && color !== 'plain' && color !== 'subdued' + color && + color !== 'transparent' && + color !== 'plain' && + color !== 'subdued' && + color !== 'highlighted' ? css` border: 1px solid; border-color: ${rgba(theme.colors[color], 0.25)}; diff --git a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/ml/__snapshots__/ml_integerations.test.tsx.snap b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/ml/__snapshots__/ml_integerations.test.tsx.snap index 1edd320bcc715..733eda0561f9a 100644 --- a/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/ml/__snapshots__/ml_integerations.test.tsx.snap +++ b/x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/monitor/ml/__snapshots__/ml_integerations.test.tsx.snap @@ -18,7 +18,7 @@ exports[`ML Integrations renders without errors 1`] = ` aria-label="Loading" class="euiLoadingSpinner emotion-euiLoadingSpinner-m" role="progressbar" - style="border-color:#07C currentcolor currentcolor currentcolor" + style="border-color:#0077CC currentcolor currentcolor currentcolor" /> Date: Thu, 19 Dec 2024 21:09:27 +0100 Subject: [PATCH 18/31] [ES `body` removal] `@elastic/fleet` (#204867) ## Summary Attempt to remove the deprecated `body` in the ES client. --- .../fleet/common/types/models/agent_policy.ts | 2 +- .../plugins/fleet/common/types/models/epm.ts | 2 +- .../server/routes/data_streams/handlers.ts | 2 +- .../package_policies_to_agent_permissions.ts | 2 +- .../fleet/server/services/agent_policy.ts | 2 +- .../server/services/agents/action.mock.ts | 2 +- .../server/services/agents/actions.test.ts | 12 ++--- .../fleet/server/services/agents/actions.ts | 6 +-- .../server/services/agents/agent_service.ts | 4 +- .../fleet/server/services/agents/crud.test.ts | 6 +-- .../fleet/server/services/agents/crud.ts | 36 ++++++-------- .../fleet/server/services/agents/helpers.ts | 2 +- .../server/services/agents/reassign.test.ts | 14 +++--- .../agents/request_diagnostics.test.ts | 12 ++--- .../server/services/agents/unenroll.test.ts | 49 +++++++++---------- .../services/agents/update_agent_tags.test.ts | 20 ++++---- .../server/services/agents/upgrade.test.ts | 18 +++---- .../elasticsearch/index/update_settings.ts | 2 +- .../epm/elasticsearch/template/template.ts | 2 +- .../epm/elasticsearch/template/utils.ts | 2 +- .../elasticsearch/transform/reauthorize.ts | 2 +- ...experimental_datastream_features_helper.ts | 5 +- .../server/services/files/client_from_host.ts | 2 +- .../security/uninstall_token_service/index.ts | 2 +- 24 files changed, 98 insertions(+), 110 deletions(-) diff --git a/x-pack/plugins/fleet/common/types/models/agent_policy.ts b/x-pack/plugins/fleet/common/types/models/agent_policy.ts index 0d180a0f4935a..b3b5611116837 100644 --- a/x-pack/plugins/fleet/common/types/models/agent_policy.ts +++ b/x-pack/plugins/fleet/common/types/models/agent_policy.ts @@ -5,7 +5,7 @@ * 2.0. */ -import type { SecurityRoleDescriptor } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { SecurityRoleDescriptor } from '@elastic/elasticsearch/lib/api/types'; import type { agentPolicyStatuses } from '../../constants'; import type { MonitoringType, PolicySecretReference, ValueOf } from '..'; diff --git a/x-pack/plugins/fleet/common/types/models/epm.ts b/x-pack/plugins/fleet/common/types/models/epm.ts index bcae5230aab52..af8a0acf9b2d4 100644 --- a/x-pack/plugins/fleet/common/types/models/epm.ts +++ b/x-pack/plugins/fleet/common/types/models/epm.ts @@ -5,7 +5,7 @@ * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import type { ASSETS_SAVED_OBJECT_TYPE, diff --git a/x-pack/plugins/fleet/server/routes/data_streams/handlers.ts b/x-pack/plugins/fleet/server/routes/data_streams/handlers.ts index 2a4ab12ad0055..a53bae87325ea 100644 --- a/x-pack/plugins/fleet/server/routes/data_streams/handlers.ts +++ b/x-pack/plugins/fleet/server/routes/data_streams/handlers.ts @@ -8,7 +8,7 @@ import type { Dictionary } from 'lodash'; import { keyBy, keys, merge } from 'lodash'; import type { RequestHandler } from '@kbn/core/server'; import pMap from 'p-map'; -import type { IndicesDataStreamsStatsDataStreamsStatsItem } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { IndicesDataStreamsStatsDataStreamsStatsItem } from '@elastic/elasticsearch/lib/api/types'; import { ByteSizeValue } from '@kbn/config-schema'; import type { DataStream } from '../../types'; diff --git a/x-pack/plugins/fleet/server/services/agent_policies/package_policies_to_agent_permissions.ts b/x-pack/plugins/fleet/server/services/agent_policies/package_policies_to_agent_permissions.ts index 0ea580f44bb4d..914cde14e1797 100644 --- a/x-pack/plugins/fleet/server/services/agent_policies/package_policies_to_agent_permissions.ts +++ b/x-pack/plugins/fleet/server/services/agent_policies/package_policies_to_agent_permissions.ts @@ -8,7 +8,7 @@ import type { SecurityIndicesPrivileges, SecurityRoleDescriptor, -} from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +} from '@elastic/elasticsearch/lib/api/types'; import { FLEET_APM_PACKAGE, diff --git a/x-pack/plugins/fleet/server/services/agent_policy.ts b/x-pack/plugins/fleet/server/services/agent_policy.ts index eed9b058ad03f..3a3273383ad38 100644 --- a/x-pack/plugins/fleet/server/services/agent_policy.ts +++ b/x-pack/plugins/fleet/server/services/agent_policy.ts @@ -22,7 +22,7 @@ import type { } from '@kbn/core/server'; import { SavedObjectsUtils } from '@kbn/core/server'; -import type { BulkResponseItem } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { BulkResponseItem } from '@elastic/elasticsearch/lib/api/types'; import { DEFAULT_SPACE_ID } from '@kbn/spaces-plugin/common/constants'; diff --git a/x-pack/plugins/fleet/server/services/agents/action.mock.ts b/x-pack/plugins/fleet/server/services/agents/action.mock.ts index 77dc46b972532..50c2f0d6b0fbf 100644 --- a/x-pack/plugins/fleet/server/services/agents/action.mock.ts +++ b/x-pack/plugins/fleet/server/services/agents/action.mock.ts @@ -152,7 +152,7 @@ export function createClientMock() { esClientMock.mget.mockResponseImplementation((params) => { // @ts-expect-error - const docs = params?.body.docs.map(({ _id }) => { + const docs = params?.docs.map(({ _id }) => { let result; switch (_id) { case agentInHostedDoc._id: diff --git a/x-pack/plugins/fleet/server/services/agents/actions.test.ts b/x-pack/plugins/fleet/server/services/agents/actions.test.ts index b8cb2ce8c8d6a..594d553bff941 100644 --- a/x-pack/plugins/fleet/server/services/agents/actions.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/actions.test.ts @@ -135,7 +135,7 @@ describe('Agent actions', () => { expect(esClient.create).toBeCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ signed: { data: expect.any(String), signature: expect.any(String), @@ -180,7 +180,7 @@ describe('Agent actions', () => { expect(esClient.create).toBeCalledWith( expect.objectContaining({ - body: expect.not.objectContaining({ + document: expect.not.objectContaining({ signed: expect.any(Object), }), }) @@ -235,7 +235,7 @@ describe('Agent actions', () => { await bulkCreateAgentActions(esClient, newActions); expect(esClient.bulk).toHaveBeenCalledWith( expect.objectContaining({ - body: expect.arrayContaining([ + operations: expect.arrayContaining([ expect.arrayContaining([ expect.objectContaining({ signed: { @@ -274,7 +274,7 @@ describe('Agent actions', () => { await bulkCreateAgentActions(esClient, newActions); expect(esClient.bulk).toHaveBeenCalledWith( expect.objectContaining({ - body: expect.arrayContaining([ + operations: expect.arrayContaining([ expect.arrayContaining([ expect.not.objectContaining({ signed: { @@ -350,7 +350,7 @@ describe('Agent actions', () => { expect(esClient.create).toBeCalledTimes(2); expect(esClient.create).toBeCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ type: 'CANCEL', data: { target_id: 'action1' }, agents: ['agent1', 'agent2'], @@ -359,7 +359,7 @@ describe('Agent actions', () => { ); expect(esClient.create).toBeCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ type: 'CANCEL', data: { target_id: 'action1' }, agents: ['agent3', 'agent4'], diff --git a/x-pack/plugins/fleet/server/services/agents/actions.ts b/x-pack/plugins/fleet/server/services/agents/actions.ts index f2faf26fd96af..e3e291eb1ae18 100644 --- a/x-pack/plugins/fleet/server/services/agents/actions.ts +++ b/x-pack/plugins/fleet/server/services/agents/actions.ts @@ -81,7 +81,7 @@ export async function createAgentAction( await esClient.create({ index: AGENT_ACTIONS_INDEX, id: uuidv4(), - body, + document: body, refresh: 'wait_for', }); @@ -153,7 +153,7 @@ export async function bulkCreateAgentActions( await esClient.bulk({ index: AGENT_ACTIONS_INDEX, - body: fleetServerAgentActions, + operations: fleetServerAgentActions, }); for (const action of actions) { @@ -231,7 +231,7 @@ export async function bulkCreateAgentActionResults( await esClient.bulk({ index: AGENT_ACTIONS_RESULTS_INDEX, - body: bulkBody, + operations: bulkBody, refresh: 'wait_for', }); } diff --git a/x-pack/plugins/fleet/server/services/agents/agent_service.ts b/x-pack/plugins/fleet/server/services/agents/agent_service.ts index 94583284d87f8..b18394b0aea08 100644 --- a/x-pack/plugins/fleet/server/services/agents/agent_service.ts +++ b/x-pack/plugins/fleet/server/services/agents/agent_service.ts @@ -13,9 +13,9 @@ import type { SavedObjectsClientContract, } from '@kbn/core/server'; -import type { AggregationsAggregationContainer } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { AggregationsAggregationContainer } from '@elastic/elasticsearch/lib/api/types'; -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import type { SortResults } from '@elastic/elasticsearch/lib/api/types'; diff --git a/x-pack/plugins/fleet/server/services/agents/crud.test.ts b/x-pack/plugins/fleet/server/services/agents/crud.test.ts index 00119e5bc44fb..6ccf5653bfc8f 100644 --- a/x-pack/plugins/fleet/server/services/agents/crud.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/crud.test.ts @@ -107,9 +107,7 @@ describe('Agents CRUD test', () => { expect(searchMock).toHaveBeenCalledWith( expect.objectContaining({ aggs: { tags: { terms: { field: 'tags', size: 10000 } } }, - body: { - query: expect.any(Object), - }, + query: expect.any(Object), index: '.fleet-agents', size: 0, fields: ['status'], @@ -164,7 +162,7 @@ describe('Agents CRUD test', () => { }) ); - expect(searchMock.mock.calls.at(-1)[0].body.query).toEqual( + expect(searchMock.mock.calls.at(-1)[0].query).toEqual( toElasticsearchQuery( _joinFilters(['fleet-agents.policy_id: 123', 'NOT status:unenrolled'])! ) diff --git a/x-pack/plugins/fleet/server/services/agents/crud.ts b/x-pack/plugins/fleet/server/services/agents/crud.ts index e6a264c394397..bc3a9cb6028ff 100644 --- a/x-pack/plugins/fleet/server/services/agents/crud.ts +++ b/x-pack/plugins/fleet/server/services/agents/crud.ts @@ -6,13 +6,13 @@ */ import { groupBy } from 'lodash'; -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import type { SortResults } from '@elastic/elasticsearch/lib/api/types'; import type { SavedObjectsClientContract, ElasticsearchClient } from '@kbn/core/server'; import type { KueryNode } from '@kbn/es-query'; import { fromKueryExpression, toElasticsearchQuery } from '@kbn/es-query'; import { DEFAULT_SPACE_ID } from '@kbn/spaces-plugin/common'; -import type { AggregationsAggregationContainer } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { AggregationsAggregationContainer } from '@elastic/elasticsearch/lib/api/types'; import type { AgentSOAttributes, Agent, ListWithKuery } from '../../types'; import { appContextService, agentPolicyService } from '..'; @@ -169,13 +169,13 @@ export async function getAgentTags( } const kueryNode = _joinFilters(filters); - const body = kueryNode ? { query: toElasticsearchQuery(kueryNode) } : {}; + const query = kueryNode ? { query: toElasticsearchQuery(kueryNode) } : {}; const runtimeFields = await buildAgentStatusRuntimeField(soClient); try { const result = await esClient.search<{}, { tags: { buckets: Array<{ key: string }> } }>({ index: AGENTS_INDEX, size: 0, - body, + ...query, fields: Object.keys(runtimeFields), runtime_mappings: runtimeFields, aggs: { @@ -546,17 +546,15 @@ export async function getAgentVersionsForAgentPolicyIds( FleetServerAgent, Record<'agent_versions', { buckets: Array<{ key: string; doc_count: number }> }> >({ - body: { - query: { - bool: { - filter: [ - { - terms: { - policy_id: agentPolicyIds, - }, + query: { + bool: { + filter: [ + { + terms: { + policy_id: agentPolicyIds, }, - ], - }, + }, + ], }, }, index: AGENTS_INDEX, @@ -628,7 +626,7 @@ export async function updateAgent( await esClient.update({ id: agentId, index: AGENTS_INDEX, - body: { doc: agentSOAttributesToFleetServerAgentDoc(data) }, + doc: agentSOAttributesToFleetServerAgentDoc(data), refresh: 'wait_for', }); } @@ -645,7 +643,7 @@ export async function bulkUpdateAgents( return; } - const body = updateData.flatMap(({ agentId, data }) => [ + const operations = updateData.flatMap(({ agentId, data }) => [ { update: { _id: agentId, @@ -658,7 +656,7 @@ export async function bulkUpdateAgents( ]); const res = await esClient.bulk({ - body, + operations, index: AGENTS_INDEX, refresh: 'wait_for', }); @@ -676,9 +674,7 @@ export async function deleteAgent(esClient: ElasticsearchClient, agentId: string await esClient.update({ id: agentId, index: AGENTS_INDEX, - body: { - doc: { active: false }, - }, + doc: { active: false }, }); } catch (err) { if (isESClientError(err) && err.meta.statusCode === 404) { diff --git a/x-pack/plugins/fleet/server/services/agents/helpers.ts b/x-pack/plugins/fleet/server/services/agents/helpers.ts index 4258e883b2351..d6af80c747789 100644 --- a/x-pack/plugins/fleet/server/services/agents/helpers.ts +++ b/x-pack/plugins/fleet/server/services/agents/helpers.ts @@ -5,7 +5,7 @@ * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import type { SortResults } from '@elastic/elasticsearch/lib/api/types'; import type { SearchHit } from '@kbn/es-types'; diff --git a/x-pack/plugins/fleet/server/services/agents/reassign.test.ts b/x-pack/plugins/fleet/server/services/agents/reassign.test.ts index 5d55fdd5da31e..cf48ee20159f7 100644 --- a/x-pack/plugins/fleet/server/services/agents/reassign.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/reassign.test.ts @@ -4,7 +4,7 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import { HostedAgentPolicyRestrictionRelatedError } from '../../errors'; @@ -40,7 +40,7 @@ describe('reassignAgent', () => { expect(esClient.update).toBeCalledTimes(1); const calledWith = esClient.update.mock.calls[0]; expect(calledWith[0]?.id).toBe(agentInRegularDoc._id); - expect((calledWith[0] as estypes.UpdateRequest)?.body?.doc).toHaveProperty( + expect((calledWith[0] as estypes.UpdateRequest)?.doc).toHaveProperty( 'policy_id', regularAgentPolicySO.id ); @@ -101,14 +101,14 @@ describe('reassignAgent', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; // only 1 are regular and bulk write two line per update - expect((calledWith as estypes.BulkRequest).body?.length).toBe(2); + expect((calledWith as estypes.BulkRequest).operations?.length).toBe(2); // @ts-expect-error - expect(calledWith.body[0].update._id).toEqual(agentInRegularDoc._id); + expect(calledWith.operations[0].update._id).toEqual(agentInRegularDoc._id); // hosted policy is updated in action results with error const calledWithActionResults = esClient.bulk.mock.calls[1][0] as estypes.BulkRequest; // bulk write two line per create - expect(calledWithActionResults.body?.length).toBe(4); + expect(calledWithActionResults.operations?.length).toBe(4); const expectedObject = expect.objectContaining({ '@timestamp': expect.anything(), action_id: expect.anything(), @@ -116,7 +116,7 @@ describe('reassignAgent', () => { error: 'Cannot reassign an agent from hosted agent policy hosted-agent-policy in Fleet because the agent policy is managed by an external orchestration solution, such as Elastic Cloud, Kubernetes, etc. Please make changes using your orchestration solution.', }); - expect(calledWithActionResults.body?.[1] as any).toEqual(expectedObject); + expect(calledWithActionResults.operations?.[1]).toEqual(expectedObject); }); it('should report errors from ES agent update call', async () => { @@ -147,7 +147,7 @@ describe('reassignAgent', () => { agent_id: agentInRegularDoc._id, error: 'version conflict', }); - expect(calledWithActionResults.body?.[1] as any).toEqual(expectedObject); + expect(calledWithActionResults.operations?.[1]).toEqual(expectedObject); }); }); }); diff --git a/x-pack/plugins/fleet/server/services/agents/request_diagnostics.test.ts b/x-pack/plugins/fleet/server/services/agents/request_diagnostics.test.ts index 7f6af525695cd..c6c3fc1622f20 100644 --- a/x-pack/plugins/fleet/server/services/agents/request_diagnostics.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/request_diagnostics.test.ts @@ -4,7 +4,7 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import { appContextService } from '../app_context'; import { createAppContextStartContractMock } from '../../mocks'; @@ -33,7 +33,7 @@ describe('requestDiagnostics', () => { expect(esClient.create).toHaveBeenCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ agents: ['agent-in-regular-policy'], type: 'REQUEST_DIAGNOSTICS', expiration: expect.anything(), @@ -53,7 +53,7 @@ describe('requestDiagnostics', () => { expect(esClient.create).toHaveBeenCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ agents: ['agent-in-regular-policy-newer', 'agent-in-regular-policy-newer2'], type: 'REQUEST_DIAGNOSTICS', expiration: expect.anything(), @@ -70,7 +70,7 @@ describe('requestDiagnostics', () => { expect(esClient.create).toHaveBeenCalledWith( expect.objectContaining({ - body: expect.objectContaining({ + document: expect.objectContaining({ agents: ['agent-in-regular-policy-newer', 'agent-in-regular-policy'], type: 'REQUEST_DIAGNOSTICS', expiration: expect.anything(), @@ -80,14 +80,14 @@ describe('requestDiagnostics', () => { ); const calledWithActionResults = esClient.bulk.mock.calls[0][0] as estypes.BulkRequest; // bulk write two line per create - expect(calledWithActionResults.body?.length).toBe(2); + expect(calledWithActionResults.operations?.length).toBe(2); const expectedObject = expect.objectContaining({ '@timestamp': expect.anything(), action_id: expect.anything(), agent_id: 'agent-in-regular-policy', error: 'Agent agent-in-regular-policy does not support request diagnostics action.', }); - expect(calledWithActionResults.body?.[1] as any).toEqual(expectedObject); + expect(calledWithActionResults.operations?.[1]).toEqual(expectedObject); }); }); }); diff --git a/x-pack/plugins/fleet/server/services/agents/unenroll.test.ts b/x-pack/plugins/fleet/server/services/agents/unenroll.test.ts index b43c600a09a5d..222d49ae44eed 100644 --- a/x-pack/plugins/fleet/server/services/agents/unenroll.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/unenroll.test.ts @@ -4,7 +4,7 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import { AGENT_ACTIONS_INDEX, AGENT_ACTIONS_RESULTS_INDEX } from '../../../common'; @@ -48,9 +48,7 @@ describe('unenroll', () => { expect(esClient.update).toBeCalledTimes(1); const calledWith = esClient.update.mock.calls[0]; expect(calledWith[0]?.id).toBe(agentInRegularDoc._id); - expect((calledWith[0] as estypes.UpdateRequest)?.body).toHaveProperty( - 'doc.unenrollment_started_at' - ); + expect(calledWith[0] as estypes.UpdateRequest).toHaveProperty('doc.unenrollment_started_at'); }); it('cannot unenroll from hosted agent policy by default', async () => { @@ -78,9 +76,7 @@ describe('unenroll', () => { expect(esClient.update).toBeCalledTimes(1); const calledWith = esClient.update.mock.calls[0]; expect(calledWith[0]?.id).toBe(agentInHostedDoc._id); - expect((calledWith[0] as estypes.UpdateRequest)?.body).toHaveProperty( - 'doc.unenrollment_started_at' - ); + expect(calledWith[0] as estypes.UpdateRequest).toHaveProperty('doc.unenrollment_started_at'); }); it('can unenroll from hosted agent policy with force=true and revoke=true', async () => { @@ -90,7 +86,7 @@ describe('unenroll', () => { expect(esClient.update).toBeCalledTimes(1); const calledWith = esClient.update.mock.calls[0]; expect(calledWith[0]?.id).toBe(agentInHostedDoc._id); - expect((calledWith[0] as estypes.UpdateRequest)?.body).toHaveProperty('doc.unenrolled_at'); + expect(calledWith[0] as estypes.UpdateRequest).toHaveProperty('doc.unenrolled_at'); }); }); @@ -102,10 +98,10 @@ describe('unenroll', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(idsToUnenroll); @@ -123,10 +119,10 @@ describe('unenroll', () => { // calls ES update with correct values const onlyRegular = [agentInRegularDoc._id, agentInRegularDoc2._id]; const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(onlyRegular); @@ -137,7 +133,7 @@ describe('unenroll', () => { // hosted policy is updated in action results with error const calledWithActionResults = esClient.bulk.mock.calls[1][0] as estypes.BulkRequest; // bulk write two line per create - expect(calledWithActionResults.body?.length).toBe(2); + expect(calledWithActionResults.operations?.length).toBe(2); const expectedObject = expect.objectContaining({ '@timestamp': expect.anything(), action_id: expect.anything(), @@ -145,7 +141,7 @@ describe('unenroll', () => { error: 'Cannot unenroll agent-in-hosted-policy from a hosted agent policy hosted-agent-policy in Fleet because the agent policy is managed by an external orchestration solution, such as Elastic Cloud, Kubernetes, etc. Please make changes using your orchestration solution.', }); - expect(calledWithActionResults.body?.[1] as any).toEqual(expectedObject); + expect(calledWithActionResults.operations?.[1]).toEqual(expectedObject); }); it('force unenroll updates in progress unenroll actions', async () => { @@ -186,7 +182,8 @@ describe('unenroll', () => { }); expect(esClient.bulk.mock.calls.length).toEqual(3); - const bulkBody = (esClient.bulk.mock.calls[2][0] as estypes.BulkRequest)?.body?.[1] as any; + const bulkBody = (esClient.bulk.mock.calls[2][0] as estypes.BulkRequest) + ?.operations?.[1] as any; expect(bulkBody.agent_id).toEqual(agentInRegularDoc._id); expect(bulkBody.action_id).toEqual('other-action'); }); @@ -248,10 +245,10 @@ describe('unenroll', () => { // calls ES update with correct values const onlyRegular = [agentInRegularDoc._id, agentInRegularDoc2._id]; const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(onlyRegular); @@ -260,19 +257,19 @@ describe('unenroll', () => { } const errorResults = esClient.bulk.mock.calls[2][0]; - const errorIds = (errorResults as estypes.BulkRequest)?.body + const errorIds = (errorResults as estypes.BulkRequest)?.operations ?.filter((i: any) => i.agent_id) .map((i: any) => i.agent_id); expect(errorIds).toEqual([agentInHostedDoc._id]); const actionResults = esClient.bulk.mock.calls[1][0]; - const resultIds = (actionResults as estypes.BulkRequest)?.body + const resultIds = (actionResults as estypes.BulkRequest)?.operations ?.filter((i: any) => i.agent_id) .map((i: any) => i.agent_id); expect(resultIds).toEqual(onlyRegular); const action = esClient.create.mock.calls[0][0] as any; - expect(action.body.type).toEqual('FORCE_UNENROLL'); + expect(action.document.type).toEqual('FORCE_UNENROLL'); }); it('can unenroll from hosted agent policy with force=true', async () => { @@ -283,10 +280,10 @@ describe('unenroll', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(idsToUnenroll); @@ -311,10 +308,10 @@ describe('unenroll', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(idsToUnenroll); @@ -323,13 +320,13 @@ describe('unenroll', () => { } const actionResults = esClient.bulk.mock.calls[1][0]; - const resultIds = (actionResults as estypes.BulkRequest)?.body + const resultIds = (actionResults as estypes.BulkRequest)?.operations ?.filter((i: any) => i.agent_id) .map((i: any) => i.agent_id); expect(resultIds).toEqual(idsToUnenroll); const action = esClient.create.mock.calls[0][0] as any; - expect(action.body.type).toEqual('FORCE_UNENROLL'); + expect(action.document.type).toEqual('FORCE_UNENROLL'); }); }); diff --git a/x-pack/plugins/fleet/server/services/agents/update_agent_tags.test.ts b/x-pack/plugins/fleet/server/services/agents/update_agent_tags.test.ts index cd408d953e31a..6a2410dfa3c16 100644 --- a/x-pack/plugins/fleet/server/services/agents/update_agent_tags.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/update_agent_tags.test.ts @@ -112,7 +112,7 @@ describe('update_agent_tags', () => { await updateAgentTags(soClient, esClient, { agentIds: ['agent1'] }, ['one'], []); const agentAction = esClient.create.mock.calls[0][0] as any; - expect(agentAction?.body).toEqual( + expect(agentAction?.document).toEqual( expect.objectContaining({ action_id: expect.anything(), agents: [expect.any(String)], @@ -122,11 +122,11 @@ describe('update_agent_tags', () => { ); const actionResults = esClient.bulk.mock.calls[0][0] as any; - const agentIds = actionResults?.body + const agentIds = actionResults?.operations ?.filter((i: any) => i.agent_id) .map((i: any) => i.agent_id); expect(agentIds.length).toEqual(1); - expect(actionResults.body[1].error).not.toBeDefined(); + expect(actionResults.operations[1].error).not.toBeDefined(); }); it('should skip hosted agent from total when agentIds are passed', async () => { @@ -144,7 +144,7 @@ describe('update_agent_tags', () => { ); const agentAction = esClientMock.create.mock.calls[0][0] as any; - expect(agentAction?.body).toEqual( + expect(agentAction?.document).toEqual( expect.objectContaining({ action_id: expect.anything(), agents: [expect.any(String)], @@ -165,7 +165,7 @@ describe('update_agent_tags', () => { await updateAgentTags(soClient, esClient, { agentIds: ['agent1'] }, ['one'], []); const agentAction = esClient.create.mock.calls[0][0] as any; - expect(agentAction?.body).toEqual( + expect(agentAction?.document).toEqual( expect.objectContaining({ action_id: expect.anything(), agents: ['failure1'], @@ -175,7 +175,7 @@ describe('update_agent_tags', () => { ); const errorResults = esClient.bulk.mock.calls[0][0] as any; - expect(errorResults.body[1].error).toEqual('error reason'); + expect(errorResults.operations[1].error).toEqual('error reason'); }); it('should throw error on version conflicts', async () => { @@ -217,10 +217,10 @@ describe('update_agent_tags', () => { ).rejects.toThrowError('Version conflict of 100 agents'); const agentAction = esClient.create.mock.calls[0][0] as any; - expect(agentAction?.body.agents.length).toEqual(100); + expect(agentAction?.document.agents.length).toEqual(100); const errorResults = esClient.bulk.mock.calls[0][0] as any; - expect(errorResults.body[1].error).toEqual('version conflict on last retry'); + expect(errorResults.operations[1].error).toEqual('version conflict on last retry'); }); it('should combine action agents from updated, failures and version conflicts on last retry', async () => { @@ -249,7 +249,7 @@ describe('update_agent_tags', () => { ).rejects.toThrowError('Version conflict of 1 agents'); const agentAction = esClient.create.mock.calls[0][0] as any; - expect(agentAction?.body.agents.length).toEqual(3); + expect(agentAction?.document.agents.length).toEqual(3); }); it('should run add tags async when actioning more agents than batch size', async () => { @@ -367,7 +367,7 @@ describe('update_agent_tags', () => { ); const agentAction = esClient.create.mock.calls[0][0] as any; - expect(agentAction?.body).toEqual( + expect(agentAction?.document).toEqual( expect.objectContaining({ action_id: expect.anything(), agents: [expect.any(String)], diff --git a/x-pack/plugins/fleet/server/services/agents/upgrade.test.ts b/x-pack/plugins/fleet/server/services/agents/upgrade.test.ts index 7dbfaf86bd272..f39f557076283 100644 --- a/x-pack/plugins/fleet/server/services/agents/upgrade.test.ts +++ b/x-pack/plugins/fleet/server/services/agents/upgrade.test.ts @@ -5,7 +5,7 @@ * 2.0. */ -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import { appContextService } from '../app_context'; import type { Agent } from '../../types'; @@ -58,10 +58,10 @@ describe('sendUpgradeAgentsActions (plural)', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); @@ -80,10 +80,10 @@ describe('sendUpgradeAgentsActions (plural)', () => { // calls ES update with correct values const onlyRegular = [agentInRegularDoc._id, agentInRegularDoc2._id]; const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(onlyRegular); @@ -95,7 +95,7 @@ describe('sendUpgradeAgentsActions (plural)', () => { // hosted policy is updated in action results with error const calledWithActionResults = esClient.bulk.mock.calls[1][0] as estypes.BulkRequest; // bulk write two line per create - expect(calledWithActionResults.body?.length).toBe(2); + expect(calledWithActionResults.operations?.length).toBe(2); const expectedObject = expect.objectContaining({ '@timestamp': expect.anything(), action_id: expect.anything(), @@ -103,7 +103,7 @@ describe('sendUpgradeAgentsActions (plural)', () => { error: 'Cannot upgrade agent in hosted agent policy hosted-agent-policy in Fleet because the agent policy is managed by an external orchestration solution, such as Elastic Cloud, Kubernetes, etc. Please make changes using your orchestration solution.', }); - expect(calledWithActionResults.body?.[1] as any).toEqual(expectedObject); + expect(calledWithActionResults.operations?.[1]).toEqual(expectedObject); }); it('can upgrade from hosted agent policy with force=true', async () => { @@ -118,10 +118,10 @@ describe('sendUpgradeAgentsActions (plural)', () => { // calls ES update with correct values const calledWith = esClient.bulk.mock.calls[0][0]; - const ids = (calledWith as estypes.BulkRequest)?.body + const ids = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.update !== undefined) .map((i: any) => i.update._id); - const docs = (calledWith as estypes.BulkRequest)?.body + const docs = (calledWith as estypes.BulkRequest)?.operations ?.filter((i: any) => i.doc) .map((i: any) => i.doc); expect(ids).toEqual(idsToAction); diff --git a/x-pack/plugins/fleet/server/services/epm/elasticsearch/index/update_settings.ts b/x-pack/plugins/fleet/server/services/epm/elasticsearch/index/update_settings.ts index 766d03f6a776c..512a6661d80d5 100644 --- a/x-pack/plugins/fleet/server/services/epm/elasticsearch/index/update_settings.ts +++ b/x-pack/plugins/fleet/server/services/epm/elasticsearch/index/update_settings.ts @@ -7,7 +7,7 @@ import type { ElasticsearchClient } from '@kbn/core-elasticsearch-server'; -import type { IndicesIndexSettings } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { IndicesIndexSettings } from '@elastic/elasticsearch/lib/api/types'; import { appContextService } from '../../..'; diff --git a/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/template.ts b/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/template.ts index 93695c68add0a..68da3857a5cff 100644 --- a/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/template.ts +++ b/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/template.ts @@ -10,7 +10,7 @@ import type { IndicesIndexSettings, MappingDynamicTemplate, MappingTypeMapping, -} from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +} from '@elastic/elasticsearch/lib/api/types'; import pMap from 'p-map'; import { isResponseError } from '@kbn/es-errors'; diff --git a/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/utils.ts b/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/utils.ts index 6a34beb371082..2b5102eb2f481 100644 --- a/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/utils.ts +++ b/x-pack/plugins/fleet/server/services/epm/elasticsearch/template/utils.ts @@ -4,7 +4,7 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ -import type { MappingTypeMapping } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { MappingTypeMapping } from '@elastic/elasticsearch/lib/api/types'; import { USER_SETTINGS_TEMPLATE_SUFFIX } from '../../../../constants'; diff --git a/x-pack/plugins/fleet/server/services/epm/elasticsearch/transform/reauthorize.ts b/x-pack/plugins/fleet/server/services/epm/elasticsearch/transform/reauthorize.ts index 8d53a952608fa..03975fbb13aa4 100644 --- a/x-pack/plugins/fleet/server/services/epm/elasticsearch/transform/reauthorize.ts +++ b/x-pack/plugins/fleet/server/services/epm/elasticsearch/transform/reauthorize.ts @@ -12,7 +12,7 @@ import type { SavedObjectsClientContract } from '@kbn/core-saved-objects-api-ser import { sortBy, uniqBy } from 'lodash'; import pMap from 'p-map'; import { isPopulatedObject } from '@kbn/ml-is-populated-object'; -import type { ErrorResponseBase } from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { ErrorResponseBase } from '@elastic/elasticsearch/lib/api/types'; import type { SecondaryAuthorizationHeader } from '../../../../../common/types/models/transform_api_key'; import { updateEsAssetReferences } from '../../packages/es_assets_reference'; diff --git a/x-pack/plugins/fleet/server/services/experimental_datastream_features_helper.ts b/x-pack/plugins/fleet/server/services/experimental_datastream_features_helper.ts index a33f936a613f4..0f766062ab20e 100644 --- a/x-pack/plugins/fleet/server/services/experimental_datastream_features_helper.ts +++ b/x-pack/plugins/fleet/server/services/experimental_datastream_features_helper.ts @@ -5,10 +5,7 @@ * 2.0. */ -import type { - MappingProperty, - PropertyName, -} from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type { MappingProperty, PropertyName } from '@elastic/elasticsearch/lib/api/types'; import type { ExperimentalDataStreamFeature } from '../../common/types'; diff --git a/x-pack/plugins/fleet/server/services/files/client_from_host.ts b/x-pack/plugins/fleet/server/services/files/client_from_host.ts index 814d342ddd993..4781f9467fb77 100644 --- a/x-pack/plugins/fleet/server/services/files/client_from_host.ts +++ b/x-pack/plugins/fleet/server/services/files/client_from_host.ts @@ -9,7 +9,7 @@ import type { Readable } from 'stream'; import type { ElasticsearchClient } from '@kbn/core-elasticsearch-server'; import type { Logger } from '@kbn/core/server'; -import type * as estypes from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +import type * as estypes from '@elastic/elasticsearch/lib/api/types'; import type { FileClient } from '@kbn/files-plugin/server'; import { createEsFileClient } from '@kbn/files-plugin/server'; diff --git a/x-pack/plugins/fleet/server/services/security/uninstall_token_service/index.ts b/x-pack/plugins/fleet/server/services/security/uninstall_token_service/index.ts index 1f58fcafd396b..275dcfc3a281d 100644 --- a/x-pack/plugins/fleet/server/services/security/uninstall_token_service/index.ts +++ b/x-pack/plugins/fleet/server/services/security/uninstall_token_service/index.ts @@ -28,7 +28,7 @@ import { asyncForEach, asyncMap } from '@kbn/std'; import type { AggregationsTermsInclude, AggregationsTermsExclude, -} from '@elastic/elasticsearch/lib/api/typesWithBodyKey'; +} from '@elastic/elasticsearch/lib/api/types'; import { isResponseError } from '@kbn/es-errors'; import { DEFAULT_SPACE_ID } from '@kbn/spaces-plugin/common'; import { DEFAULT_NAMESPACE_STRING } from '@kbn/core-saved-objects-utils-server'; From 65a75ffcb733306cddaf0955e00f6273c9051f73 Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Fri, 20 Dec 2024 07:24:23 +1100 Subject: [PATCH 19/31] Unauthorized route migration for routes owned by kibana-presentation (#198329) Migrates unauthorized routes owned by the Presentation team to a new security configuration. --- .../options_list_cluster_settings_route.ts | 7 ++++ .../options_list_suggestions_route.ts | 7 ++++ .../server/routes/custom_elements/create.ts | 7 ++++ .../server/routes/custom_elements/delete.ts | 7 ++++ .../server/routes/custom_elements/find.ts | 7 ++++ .../server/routes/custom_elements/get.ts | 7 ++++ .../server/routes/custom_elements/update.ts | 7 ++++ .../server/routes/functions/functions.ts | 34 +++++++++++++---- .../server/routes/shareables/download.ts | 37 +++++++++++++------ .../canvas/server/routes/shareables/zip.ts | 12 +++++- .../canvas/server/routes/templates/list.ts | 7 ++++ .../canvas/server/routes/workpad/create.ts | 7 ++++ .../canvas/server/routes/workpad/delete.ts | 7 ++++ .../canvas/server/routes/workpad/find.ts | 7 ++++ .../canvas/server/routes/workpad/get.ts | 7 ++++ .../canvas/server/routes/workpad/import.ts | 7 ++++ .../canvas/server/routes/workpad/resolve.ts | 7 ++++ .../canvas/server/routes/workpad/update.ts | 21 +++++++++++ .../server/data_indexing/indexing_routes.ts | 35 ++++++++++++++++++ x-pack/plugins/maps/server/mvt/mvt_routes.ts | 14 +++++++ x-pack/plugins/maps/server/routes.ts | 14 +++++++ 21 files changed, 245 insertions(+), 20 deletions(-) diff --git a/src/plugins/controls/server/options_list/options_list_cluster_settings_route.ts b/src/plugins/controls/server/options_list/options_list_cluster_settings_route.ts index 04b0aaa3e6f78..c04a8e9244785 100644 --- a/src/plugins/controls/server/options_list/options_list_cluster_settings_route.ts +++ b/src/plugins/controls/server/options_list/options_list_cluster_settings_route.ts @@ -20,6 +20,13 @@ export const setupOptionsListClusterSettingsRoute = ({ http }: CoreSetup) => { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because it does not take a query, params, or a body, so there is no chance of leaking info.', + }, + }, validate: false, }, async (context, _, response) => { diff --git a/src/plugins/controls/server/options_list/options_list_suggestions_route.ts b/src/plugins/controls/server/options_list/options_list_suggestions_route.ts index 15dd66c5586dc..63176c31b3b7f 100644 --- a/src/plugins/controls/server/options_list/options_list_suggestions_route.ts +++ b/src/plugins/controls/server/options_list/options_list_suggestions_route.ts @@ -33,6 +33,13 @@ export const setupOptionsListSuggestionsRoute = ( .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { params: schema.object( diff --git a/x-pack/plugins/canvas/server/routes/custom_elements/create.ts b/x-pack/plugins/canvas/server/routes/custom_elements/create.ts index e0ea4be8d35f1..d4ea0557048bb 100644 --- a/x-pack/plugins/canvas/server/routes/custom_elements/create.ts +++ b/x-pack/plugins/canvas/server/routes/custom_elements/create.ts @@ -29,6 +29,13 @@ export function initializeCreateCustomElementRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { body: CustomElementSchema }, }, diff --git a/x-pack/plugins/canvas/server/routes/custom_elements/delete.ts b/x-pack/plugins/canvas/server/routes/custom_elements/delete.ts index 94ea9cda5e367..328812ec32a5d 100644 --- a/x-pack/plugins/canvas/server/routes/custom_elements/delete.ts +++ b/x-pack/plugins/canvas/server/routes/custom_elements/delete.ts @@ -22,6 +22,13 @@ export function initializeDeleteCustomElementRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/custom_elements/find.ts b/x-pack/plugins/canvas/server/routes/custom_elements/find.ts index a45eb217cd9cb..5d2b0ba1be12d 100644 --- a/x-pack/plugins/canvas/server/routes/custom_elements/find.ts +++ b/x-pack/plugins/canvas/server/routes/custom_elements/find.ts @@ -20,6 +20,13 @@ export function initializeFindCustomElementsRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { query: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/custom_elements/get.ts b/x-pack/plugins/canvas/server/routes/custom_elements/get.ts index 4775d4cb497fb..a6f6a0ffe64bb 100644 --- a/x-pack/plugins/canvas/server/routes/custom_elements/get.ts +++ b/x-pack/plugins/canvas/server/routes/custom_elements/get.ts @@ -21,6 +21,13 @@ export function initializeGetCustomElementRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/custom_elements/update.ts b/x-pack/plugins/canvas/server/routes/custom_elements/update.ts index eee18fb1e9a07..905e6aa3efed5 100644 --- a/x-pack/plugins/canvas/server/routes/custom_elements/update.ts +++ b/x-pack/plugins/canvas/server/routes/custom_elements/update.ts @@ -30,6 +30,13 @@ export function initializeUpdateCustomElementRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/functions/functions.ts b/x-pack/plugins/canvas/server/routes/functions/functions.ts index 3a8ff207fa000..70017862ea50f 100644 --- a/x-pack/plugins/canvas/server/routes/functions/functions.ts +++ b/x-pack/plugins/canvas/server/routes/functions/functions.ts @@ -23,13 +23,26 @@ export function initializeGetFunctionsRoute(deps: RouteInitializerDeps) { path: API_ROUTE_FUNCTIONS, access: 'internal', }) - .addVersion({ version: '1', validate: false }, async (context, request, response) => { - const functions = expressions.getFunctions('canvas'); - const body = JSON.stringify(functions); - return response.ok({ - body, - }); - }); + .addVersion( + { + version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because it only provides non-sensitive information about functions available to Canvas.', + }, + }, + validate: false, + }, + async (context, request, response) => { + const functions = expressions.getFunctions('canvas'); + const body = JSON.stringify(functions); + return response.ok({ + body, + }); + } + ); } export function initializeBatchFunctionsRoute(deps: RouteInitializerDeps) { @@ -42,6 +55,13 @@ export function initializeBatchFunctionsRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because data source expressions that perform search operations use the Kibana search client which handles permission checking.', + }, + }, validate: { request: { body: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/shareables/download.ts b/x-pack/plugins/canvas/server/routes/shareables/download.ts index 2d3b4af74855b..6ed41701d9602 100644 --- a/x-pack/plugins/canvas/server/routes/shareables/download.ts +++ b/x-pack/plugins/canvas/server/routes/shareables/download.ts @@ -18,16 +18,29 @@ export function initializeDownloadShareableWorkpadRoute(deps: RouteInitializerDe path: API_ROUTE_SHAREABLE_RUNTIME_DOWNLOAD, access: 'internal', }) - .addVersion({ version: '1', validate: false }, async (_context, _request, response) => { - // TODO: check if this is still an issue on cloud after migrating to NP - // - // The option setting is not for typical use. We're using it here to avoid - // problems in Cloud environments. See elastic/kibana#47405. - // const file = handler.file(SHAREABLE_RUNTIME_FILE, { confine: false }); - const file = readFileSync(SHAREABLE_RUNTIME_FILE); - return response.ok({ - headers: { 'content-type': 'application/octet-stream' }, - body: file, - }); - }); + .addVersion( + { + version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because it is only serving static files.', + }, + }, + validate: false, + }, + async (_context, _request, response) => { + // TODO: check if this is still an issue on cloud after migrating to NP + // + // The option setting is not for typical use. We're using it here to avoid + // problems in Cloud environments. See elastic/kibana#47405. + // const file = handler.file(SHAREABLE_RUNTIME_FILE, { confine: false }); + const file = readFileSync(SHAREABLE_RUNTIME_FILE); + return response.ok({ + headers: { 'content-type': 'application/octet-stream' }, + body: file, + }); + } + ); } diff --git a/x-pack/plugins/canvas/server/routes/shareables/zip.ts b/x-pack/plugins/canvas/server/routes/shareables/zip.ts index d476edb8ca4ac..34e1a9a01789f 100644 --- a/x-pack/plugins/canvas/server/routes/shareables/zip.ts +++ b/x-pack/plugins/canvas/server/routes/shareables/zip.ts @@ -24,7 +24,17 @@ export function initializeZipShareableWorkpadRoute(deps: RouteInitializerDeps) { access: 'internal', }) .addVersion( - { version: '1', validate: { request: { body: RenderedWorkpadSchema } } }, + { + version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because it is only serving static files.', + }, + }, + validate: { request: { body: RenderedWorkpadSchema } }, + }, async (_context, request, response) => { const workpad = request.body; const archive = archiver('zip'); diff --git a/x-pack/plugins/canvas/server/routes/templates/list.ts b/x-pack/plugins/canvas/server/routes/templates/list.ts index e311ef3c8c24b..a6ec0d54f6425 100644 --- a/x-pack/plugins/canvas/server/routes/templates/list.ts +++ b/x-pack/plugins/canvas/server/routes/templates/list.ts @@ -21,6 +21,13 @@ export function initializeListTemplates(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({}) }, }, diff --git a/x-pack/plugins/canvas/server/routes/workpad/create.ts b/x-pack/plugins/canvas/server/routes/workpad/create.ts index c1e4f7e2f8353..79492c94e5882 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/create.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/create.ts @@ -47,6 +47,13 @@ export function initializeCreateWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { body: createRequestBodySchema }, }, diff --git a/x-pack/plugins/canvas/server/routes/workpad/delete.ts b/x-pack/plugins/canvas/server/routes/workpad/delete.ts index d5abbbfed7a78..292e8e4b73080 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/delete.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/delete.ts @@ -21,6 +21,13 @@ export function initializeDeleteWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/workpad/find.ts b/x-pack/plugins/canvas/server/routes/workpad/find.ts index 1e993a347d89f..39258afadfabf 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/find.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/find.ts @@ -20,6 +20,13 @@ export function initializeFindWorkpadsRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { query: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/workpad/get.ts b/x-pack/plugins/canvas/server/routes/workpad/get.ts index 8ce7687627611..57d1bf3517ca5 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/get.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/get.ts @@ -21,6 +21,13 @@ export function initializeGetWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/workpad/import.ts b/x-pack/plugins/canvas/server/routes/workpad/import.ts index 5490d460f8834..5c3d82521ec4d 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/import.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/import.ts @@ -30,6 +30,13 @@ export function initializeImportWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { body: createRequestBodySchema }, }, diff --git a/x-pack/plugins/canvas/server/routes/workpad/resolve.ts b/x-pack/plugins/canvas/server/routes/workpad/resolve.ts index b6260e9e47694..9d0ea3139e043 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/resolve.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/resolve.ts @@ -21,6 +21,13 @@ export function initializeResolveWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/canvas/server/routes/workpad/update.ts b/x-pack/plugins/canvas/server/routes/workpad/update.ts index ead5a097a6945..55be02a888bb1 100644 --- a/x-pack/plugins/canvas/server/routes/workpad/update.ts +++ b/x-pack/plugins/canvas/server/routes/workpad/update.ts @@ -38,6 +38,13 @@ export function initializeUpdateWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ @@ -71,6 +78,13 @@ export function initializeUpdateWorkpadRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ @@ -109,6 +123,13 @@ export function initializeUpdateWorkpadAssetsRoute(deps: RouteInitializerDeps) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because authorization is provided by saved objects client.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts b/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts index e7cb10427a297..987fd23a13d4f 100644 --- a/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts +++ b/x-pack/plugins/maps/server/data_indexing/indexing_routes.ts @@ -46,6 +46,13 @@ export function initIndexingRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { body: schema.object({ @@ -98,6 +105,13 @@ export function initIndexingRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { body: schema.object({ @@ -134,6 +148,13 @@ export function initIndexingRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { params: schema.object({ @@ -196,6 +217,13 @@ export function initIndexingRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { query: schema.object({ @@ -223,6 +251,13 @@ export function initIndexingRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { query: schema.object({ diff --git a/x-pack/plugins/maps/server/mvt/mvt_routes.ts b/x-pack/plugins/maps/server/mvt/mvt_routes.ts index f768eb93dd9a3..aa3f0c51f69ea 100644 --- a/x-pack/plugins/maps/server/mvt/mvt_routes.ts +++ b/x-pack/plugins/maps/server/mvt/mvt_routes.ts @@ -41,6 +41,13 @@ export function initMVTRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { params: schema.object({ @@ -117,6 +124,13 @@ export function initMVTRoutes({ .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { params: schema.object({ diff --git a/x-pack/plugins/maps/server/routes.ts b/x-pack/plugins/maps/server/routes.ts index 32f7a9e6c18ea..7bfa80dfe5bd4 100644 --- a/x-pack/plugins/maps/server/routes.ts +++ b/x-pack/plugins/maps/server/routes.ts @@ -27,6 +27,13 @@ export function initRoutes(coreSetup: CoreSetup, logger: Logger) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because it is only serving static files.', + }, + }, validate: { request: { params: schema.object({ @@ -66,6 +73,13 @@ export function initRoutes(coreSetup: CoreSetup, logger: Logger) { .addVersion( { version: '1', + security: { + authz: { + enabled: false, + reason: + 'This route is opted out from authorization because permissions will be checked by elasticsearch.', + }, + }, validate: { request: { query: schema.object({ From d7280a1380d66107a6818b1b84358c1762c20bb9 Mon Sep 17 00:00:00 2001 From: Nick Peihl Date: Thu, 19 Dec 2024 15:24:49 -0500 Subject: [PATCH 20/31] [Dashboards] Add getSerializedState method to Dashboard API (#204140) Adds a `getSerializedState` method to the Dashboard API. --- src/plugins/dashboard/common/index.ts | 1 + .../public/dashboard_api/get_dashboard_api.ts | 13 +- .../get_serialized_state.test.ts | 170 ++++++++++++++++++ .../dashboard_api/get_serialized_state.ts | 150 ++++++++++++++++ .../public/dashboard_api/open_save_modal.tsx | 5 +- .../dashboard/public/dashboard_api/types.ts | 5 + .../dashboard_api/unified_search_manager.ts | 36 ++-- .../lib/save_dashboard_state.test.ts | 10 +- .../lib/save_dashboard_state.ts | 168 ++--------------- .../types.ts | 8 +- 10 files changed, 396 insertions(+), 170 deletions(-) create mode 100644 src/plugins/dashboard/public/dashboard_api/get_serialized_state.test.ts create mode 100644 src/plugins/dashboard/public/dashboard_api/get_serialized_state.ts diff --git a/src/plugins/dashboard/common/index.ts b/src/plugins/dashboard/common/index.ts index be2cedf889e85..c8c988d5c461e 100644 --- a/src/plugins/dashboard/common/index.ts +++ b/src/plugins/dashboard/common/index.ts @@ -32,6 +32,7 @@ export { prefixReferencesFromPanel } from './dashboard_container/persistable_sta export { convertPanelsArrayToPanelMap, convertPanelMapToPanelsArray, + generateNewPanelIds, } from './lib/dashboard_panel_converters'; export const UI_SETTINGS = { diff --git a/src/plugins/dashboard/public/dashboard_api/get_dashboard_api.ts b/src/plugins/dashboard/public/dashboard_api/get_dashboard_api.ts index 5fcb6522b0152..cf1dd0e949d4c 100644 --- a/src/plugins/dashboard/public/dashboard_api/get_dashboard_api.ts +++ b/src/plugins/dashboard/public/dashboard_api/get_dashboard_api.ts @@ -41,6 +41,7 @@ import { initializeSearchSessionManager } from './search_session_manager'; import { initializeViewModeManager } from './view_mode_manager'; import { UnsavedPanelState } from '../dashboard_container/types'; import { initializeTrackContentfulRender } from './track_contentful_render'; +import { getSerializedState } from './get_serialized_state'; export function getDashboardApi({ creationOptions, @@ -110,9 +111,11 @@ export function getDashboardApi({ }); function getState() { const { panels, references: panelReferences } = panelsManager.internalApi.getState(); + const { state: unifiedSearchState, references: searchSourceReferences } = + unifiedSearchManager.internalApi.getState(); const dashboardState: DashboardState = { ...settingsManager.internalApi.getState(), - ...unifiedSearchManager.internalApi.getState(), + ...unifiedSearchState, panels, viewMode: viewModeManager.api.viewMode.value, }; @@ -130,6 +133,7 @@ export function getDashboardApi({ dashboardState, controlGroupReferences, panelReferences, + searchSourceReferences, }; } @@ -168,6 +172,7 @@ export function getDashboardApi({ unifiedSearchManager.internalApi.controlGroupReload$, unifiedSearchManager.internalApi.panelsReload$ ).pipe(debounceTime(0)), + getSerializedState: () => getSerializedState(getState()), runInteractiveSave: async () => { trackOverlayApi.clearOverlays(); const saveResult = await openSaveModal({ @@ -197,11 +202,13 @@ export function getDashboardApi({ }, runQuickSave: async () => { if (isManaged) return; - const { controlGroupReferences, dashboardState, panelReferences } = getState(); + const { controlGroupReferences, dashboardState, panelReferences, searchSourceReferences } = + getState(); const saveResult = await getDashboardContentManagementService().saveDashboardState({ controlGroupReferences, - currentState: dashboardState, + dashboardState, panelReferences, + searchSourceReferences, saveOptions: {}, lastSavedId: savedObjectId$.value, }); diff --git a/src/plugins/dashboard/public/dashboard_api/get_serialized_state.test.ts b/src/plugins/dashboard/public/dashboard_api/get_serialized_state.test.ts new file mode 100644 index 0000000000000..9cae8584e7f44 --- /dev/null +++ b/src/plugins/dashboard/public/dashboard_api/get_serialized_state.test.ts @@ -0,0 +1,170 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import type { DashboardPanelState } from '../../common'; + +import { + dataService, + embeddableService, + savedObjectsTaggingService, +} from '../services/kibana_services'; +import { getSampleDashboardState } from '../mocks'; +import { getSerializedState } from './get_serialized_state'; + +dataService.search.searchSource.create = jest.fn().mockResolvedValue({ + setField: jest.fn(), + getSerializedFields: jest.fn().mockReturnValue({}), +}); + +dataService.query.timefilter.timefilter.getTime = jest + .fn() + .mockReturnValue({ from: 'now-15m', to: 'now' }); + +dataService.query.timefilter.timefilter.getRefreshInterval = jest + .fn() + .mockReturnValue({ pause: true, value: 0 }); + +embeddableService.extract = jest + .fn() + .mockImplementation((attributes) => ({ state: attributes, references: [] })); + +if (savedObjectsTaggingService) { + savedObjectsTaggingService.getTaggingApi = jest.fn().mockReturnValue({ + ui: { + updateTagsReferences: jest.fn((references, tags) => references), + }, + }); +} + +jest.mock('uuid', () => ({ + v4: jest.fn().mockReturnValue('54321'), +})); + +describe('getSerializedState', () => { + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should return the current state attributes and references', () => { + const dashboardState = getSampleDashboardState(); + const result = getSerializedState({ + controlGroupReferences: [], + generateNewIds: false, + dashboardState, + panelReferences: [], + searchSourceReferences: [], + }); + + expect(result.attributes).toMatchInlineSnapshot(` + Object { + "controlGroupInput": undefined, + "description": "", + "kibanaSavedObjectMeta": Object { + "searchSource": Object { + "filter": Array [], + "query": Object { + "language": "kuery", + "query": "hi", + }, + }, + }, + "options": Object { + "hidePanelTitles": false, + "syncColors": false, + "syncCursor": true, + "syncTooltips": false, + "useMargins": true, + }, + "panels": Array [], + "refreshInterval": undefined, + "timeFrom": undefined, + "timeRestore": false, + "timeTo": undefined, + "title": "My Dashboard", + "version": 3, + } + `); + expect(result.references).toEqual([]); + }); + + it('should generate new IDs for panels and references when generateNewIds is true', () => { + const dashboardState = { + ...getSampleDashboardState(), + panels: { oldPanelId: { type: 'visualization' } as unknown as DashboardPanelState }, + }; + const result = getSerializedState({ + controlGroupReferences: [], + generateNewIds: true, + dashboardState, + panelReferences: [ + { + name: 'oldPanelId:indexpattern_foobar', + type: 'index-pattern', + id: 'bizzbuzz', + }, + ], + searchSourceReferences: [], + }); + + expect(result.attributes.panels).toMatchInlineSnapshot(` + Array [ + Object { + "gridData": Object { + "i": "54321", + }, + "panelConfig": Object {}, + "panelIndex": "54321", + "type": "visualization", + "version": undefined, + }, + ] + `); + expect(result.references).toMatchInlineSnapshot(` + Array [ + Object { + "id": "bizzbuzz", + "name": "54321:indexpattern_foobar", + "type": "index-pattern", + }, + ] + `); + }); + + it('should include control group references', () => { + const dashboardState = getSampleDashboardState(); + const controlGroupReferences = [ + { name: 'control1:indexpattern', type: 'index-pattern', id: 'foobar' }, + ]; + const result = getSerializedState({ + controlGroupReferences, + generateNewIds: false, + dashboardState, + panelReferences: [], + searchSourceReferences: [], + }); + + expect(result.references).toEqual(controlGroupReferences); + }); + + it('should include panel references', () => { + const dashboardState = getSampleDashboardState(); + const panelReferences = [ + { name: 'panel1:boogiewoogie', type: 'index-pattern', id: 'fizzbuzz' }, + ]; + const result = getSerializedState({ + controlGroupReferences: [], + generateNewIds: false, + dashboardState, + panelReferences, + searchSourceReferences: [], + }); + + expect(result.references).toEqual(panelReferences); + }); +}); diff --git a/src/plugins/dashboard/public/dashboard_api/get_serialized_state.ts b/src/plugins/dashboard/public/dashboard_api/get_serialized_state.ts new file mode 100644 index 0000000000000..5c0377adf175d --- /dev/null +++ b/src/plugins/dashboard/public/dashboard_api/get_serialized_state.ts @@ -0,0 +1,150 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import { pick } from 'lodash'; +import moment, { Moment } from 'moment'; +import { RefreshInterval } from '@kbn/data-plugin/public'; + +import type { Reference } from '@kbn/content-management-utils'; +import { convertPanelMapToPanelsArray, extractReferences, generateNewPanelIds } from '../../common'; +import type { DashboardAttributes } from '../../server'; + +import { convertDashboardVersionToNumber } from '../services/dashboard_content_management_service/lib/dashboard_versioning'; +import { + dataService, + embeddableService, + savedObjectsTaggingService, +} from '../services/kibana_services'; +import { LATEST_DASHBOARD_CONTAINER_VERSION } from '../dashboard_container'; +import { DashboardState } from './types'; + +export const convertTimeToUTCString = (time?: string | Moment): undefined | string => { + if (moment(time).isValid()) { + return moment(time).utc().format('YYYY-MM-DDTHH:mm:ss.SSS[Z]'); + } else { + // If it's not a valid moment date, then it should be a string representing a relative time + // like 'now' or 'now-15m'. + return time as string; + } +}; + +export const getSerializedState = ({ + controlGroupReferences, + generateNewIds, + dashboardState, + panelReferences, + searchSourceReferences, +}: { + controlGroupReferences?: Reference[]; + generateNewIds?: boolean; + dashboardState: DashboardState; + panelReferences?: Reference[]; + searchSourceReferences?: Reference[]; +}) => { + const { + query: { + timefilter: { timefilter }, + }, + } = dataService; + + const { + tags, + query, + title, + filters, + timeRestore, + description, + + // Dashboard options + useMargins, + syncColors, + syncCursor, + syncTooltips, + hidePanelTitles, + controlGroupInput, + } = dashboardState; + + let { panels } = dashboardState; + let prefixedPanelReferences = panelReferences; + if (generateNewIds) { + const { panels: newPanels, references: newPanelReferences } = generateNewPanelIds( + panels, + panelReferences + ); + panels = newPanels; + prefixedPanelReferences = newPanelReferences; + // + // do not need to generate new ids for controls. + // ControlGroup Component is keyed on dashboard id so changing dashboard id mounts new ControlGroup Component. + // + } + + const searchSource = { filter: filters, query }; + const options = { + useMargins, + syncColors, + syncCursor, + syncTooltips, + hidePanelTitles, + }; + const savedPanels = convertPanelMapToPanelsArray(panels, true); + + /** + * Parse global time filter settings + */ + const { from, to } = timefilter.getTime(); + const timeFrom = timeRestore ? convertTimeToUTCString(from) : undefined; + const timeTo = timeRestore ? convertTimeToUTCString(to) : undefined; + const refreshInterval = timeRestore + ? (pick(timefilter.getRefreshInterval(), [ + 'display', + 'pause', + 'section', + 'value', + ]) as RefreshInterval) + : undefined; + + const rawDashboardAttributes: DashboardAttributes = { + version: convertDashboardVersionToNumber(LATEST_DASHBOARD_CONTAINER_VERSION), + controlGroupInput: controlGroupInput as DashboardAttributes['controlGroupInput'], + kibanaSavedObjectMeta: { searchSource }, + description: description ?? '', + refreshInterval, + timeRestore, + options, + panels: savedPanels, + timeFrom, + title, + timeTo, + }; + + /** + * Extract references from raw attributes and tags into the references array. + */ + const { attributes, references: dashboardReferences } = extractReferences( + { + attributes: rawDashboardAttributes, + references: searchSourceReferences ?? [], + }, + { embeddablePersistableStateService: embeddableService } + ); + + const savedObjectsTaggingApi = savedObjectsTaggingService?.getTaggingApi(); + const references = savedObjectsTaggingApi?.ui.updateTagsReferences + ? savedObjectsTaggingApi?.ui.updateTagsReferences(dashboardReferences, tags) + : dashboardReferences; + + const allReferences = [ + ...references, + ...(prefixedPanelReferences ?? []), + ...(controlGroupReferences ?? []), + ...(searchSourceReferences ?? []), + ]; + return { attributes, references: allReferences }; +}; diff --git a/src/plugins/dashboard/public/dashboard_api/open_save_modal.tsx b/src/plugins/dashboard/public/dashboard_api/open_save_modal.tsx index e5b2676d7198f..567fd1dcf98f6 100644 --- a/src/plugins/dashboard/public/dashboard_api/open_save_modal.tsx +++ b/src/plugins/dashboard/public/dashboard_api/open_save_modal.tsx @@ -32,6 +32,7 @@ export async function openSaveModal({ isManaged, lastSavedId, panelReferences, + searchSourceReferences, viewMode, }: { controlGroupReferences?: Reference[]; @@ -39,6 +40,7 @@ export async function openSaveModal({ isManaged: boolean; lastSavedId: string | undefined; panelReferences: Reference[]; + searchSourceReferences: Reference[]; viewMode: ViewMode; }) { if (viewMode === 'edit' && isManaged) { @@ -101,8 +103,9 @@ export async function openSaveModal({ const saveResult = await dashboardContentManagementService.saveDashboardState({ controlGroupReferences, panelReferences, + searchSourceReferences, saveOptions, - currentState: dashboardStateToSave, + dashboardState: dashboardStateToSave, lastSavedId, }); diff --git a/src/plugins/dashboard/public/dashboard_api/types.ts b/src/plugins/dashboard/public/dashboard_api/types.ts index 54b540d575695..73e7e9422641f 100644 --- a/src/plugins/dashboard/public/dashboard_api/types.ts +++ b/src/plugins/dashboard/public/dashboard_api/types.ts @@ -53,6 +53,7 @@ import { IKbnUrlStateStorage } from '@kbn/kibana-utils-plugin/public'; import { PublishesReload } from '@kbn/presentation-publishing/interfaces/fetch/publishes_reload'; import { PublishesSearchSession } from '@kbn/presentation-publishing/interfaces/fetch/publishes_search_session'; import { LocatorPublic } from '@kbn/share-plugin/common'; +import type { SavedObjectReference } from '@kbn/core-saved-objects-api-server'; import { DashboardPanelMap, DashboardPanelState } from '../../common'; import type { DashboardAttributes, DashboardOptions } from '../../server/content_management'; import { @@ -146,6 +147,10 @@ export type DashboardApi = CanExpandPanels & focusedPanelId$: PublishingSubject; forceRefresh: () => void; getSettings: () => DashboardSettings; + getSerializedState: () => { + attributes: DashboardAttributes; + references: SavedObjectReference[]; + }; getDashboardPanelFromId: (id: string) => DashboardPanelState; hasOverlays$: PublishingSubject; hasUnsavedChanges$: PublishingSubject; diff --git a/src/plugins/dashboard/public/dashboard_api/unified_search_manager.ts b/src/plugins/dashboard/public/dashboard_api/unified_search_manager.ts index 9d39961778a91..acc6d0569d2db 100644 --- a/src/plugins/dashboard/public/dashboard_api/unified_search_manager.ts +++ b/src/plugins/dashboard/public/dashboard_api/unified_search_manager.ts @@ -33,10 +33,12 @@ import fastIsEqual from 'fast-deep-equal'; import { PublishingSubject, StateComparators } from '@kbn/presentation-publishing'; import { ControlGroupApi } from '@kbn/controls-plugin/public'; import { cloneDeep } from 'lodash'; +import type { SavedObjectReference } from '@kbn/core-saved-objects-api-server'; import { GlobalQueryStateFromUrl, RefreshInterval, connectToQueryState, + extractSearchSourceReferences, syncGlobalQueryStateWithUrl, } from '@kbn/data-plugin/public'; import moment, { Moment } from 'moment'; @@ -324,16 +326,30 @@ export function initializeUnifiedSearchManager( setAndSyncTimeRange(lastSavedState.timeRange); } }, - getState: (): Pick< - DashboardState, - 'filters' | 'query' | 'refreshInterval' | 'timeRange' | 'timeRestore' - > => ({ - filters: unifiedSearchFilters$.value ?? DEFAULT_DASHBOARD_INPUT.filters, - query: query$.value ?? DEFAULT_DASHBOARD_INPUT.query, - refreshInterval: refreshInterval$.value, - timeRange: timeRange$.value, - timeRestore: timeRestore$.value ?? DEFAULT_DASHBOARD_INPUT.timeRestore, - }), + getState: (): { + state: Pick< + DashboardState, + 'filters' | 'query' | 'refreshInterval' | 'timeRange' | 'timeRestore' + >; + references: SavedObjectReference[]; + } => { + // pinned filters are not serialized when saving the dashboard + const serializableFilters = unifiedSearchFilters$.value?.filter((f) => !isFilterPinned(f)); + const [{ filter, query }, references] = extractSearchSourceReferences({ + filter: serializableFilters, + query: query$.value, + }); + return { + state: { + filters: filter ?? DEFAULT_DASHBOARD_INPUT.filters, + query: (query as Query) ?? DEFAULT_DASHBOARD_INPUT.query, + refreshInterval: refreshInterval$.value, + timeRange: timeRange$.value, + timeRestore: timeRestore$.value ?? DEFAULT_DASHBOARD_INPUT.timeRestore, + }, + references, + }; + }, }, cleanup: () => { controlGroupSubscriptions.unsubscribe(); diff --git a/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.test.ts b/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.test.ts index a1b18aca3aca0..1bb1edaac96ac 100644 --- a/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.test.ts +++ b/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.test.ts @@ -47,7 +47,7 @@ describe('Save dashboard state', () => { it('should save the dashboard using the same ID', async () => { const result = await saveDashboardState({ - currentState: { + dashboardState: { ...getSampleDashboardState(), title: 'BOO', } as unknown as DashboardContainerInput, @@ -68,7 +68,7 @@ describe('Save dashboard state', () => { it('should save the dashboard using a new id, and return redirect required', async () => { const result = await saveDashboardState({ - currentState: { + dashboardState: { ...getSampleDashboardState(), title: 'BooToo', } as unknown as DashboardContainerInput, @@ -92,7 +92,7 @@ describe('Save dashboard state', () => { it('should generate new panel IDs for dashboard panels when save as copy is true', async () => { const result = await saveDashboardState({ - currentState: { + dashboardState: { ...getSampleDashboardState(), title: 'BooThree', panels: { aVerySpecialVeryUniqueId: { type: 'boop' } }, @@ -118,7 +118,7 @@ describe('Save dashboard state', () => { it('should update prefixes on references when save as copy is true', async () => { const result = await saveDashboardState({ - currentState: { + dashboardState: { ...getSampleDashboardState(), title: 'BooFour', panels: { idOne: { type: 'boop' } }, @@ -146,7 +146,7 @@ describe('Save dashboard state', () => { it('should return an error when the save fails.', async () => { contentManagementService.client.create = jest.fn().mockRejectedValue('Whoops'); const result = await saveDashboardState({ - currentState: { + dashboardState: { ...getSampleDashboardState(), title: 'BooThree', panels: { idOne: { type: 'boop' } }, diff --git a/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.ts b/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.ts index 58492f51f4d36..5c14732ed939b 100644 --- a/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.ts +++ b/src/plugins/dashboard/public/services/dashboard_content_management_service/lib/save_dashboard_state.ts @@ -7,169 +7,37 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { pick } from 'lodash'; -import moment, { Moment } from 'moment'; - -import { extractSearchSourceReferences, RefreshInterval } from '@kbn/data-plugin/public'; -import { isFilterPinned } from '@kbn/es-query'; - -import type { SavedObjectReference } from '@kbn/core/server'; import { getDashboardContentManagementCache } from '..'; -import { convertPanelMapToPanelsArray, extractReferences } from '../../../../common'; import type { - DashboardAttributes, DashboardCreateIn, DashboardCreateOut, DashboardUpdateIn, DashboardUpdateOut, } from '../../../../server/content_management'; -import { generateNewPanelIds } from '../../../../common/lib/dashboard_panel_converters'; import { DASHBOARD_CONTENT_ID } from '../../../dashboard_constants'; -import { LATEST_DASHBOARD_CONTAINER_VERSION } from '../../../dashboard_container'; import { dashboardSaveToastStrings } from '../../../dashboard_container/_dashboard_container_strings'; import { getDashboardBackupService } from '../../dashboard_backup_service'; -import { - contentManagementService, - coreServices, - dataService, - embeddableService, - savedObjectsTaggingService, -} from '../../kibana_services'; -import { DashboardSearchSource, SaveDashboardProps, SaveDashboardReturn } from '../types'; -import { convertDashboardVersionToNumber } from './dashboard_versioning'; - -export const convertTimeToUTCString = (time?: string | Moment): undefined | string => { - if (moment(time).isValid()) { - return moment(time).utc().format('YYYY-MM-DDTHH:mm:ss.SSS[Z]'); - } else { - // If it's not a valid moment date, then it should be a string representing a relative time - // like 'now' or 'now-15m'. - return time as string; - } -}; +import { contentManagementService, coreServices } from '../../kibana_services'; +import { SaveDashboardProps, SaveDashboardReturn } from '../types'; +import { getSerializedState } from '../../../dashboard_api/get_serialized_state'; export const saveDashboardState = async ({ controlGroupReferences, lastSavedId, saveOptions, - currentState, + dashboardState, panelReferences, + searchSourceReferences, }: SaveDashboardProps): Promise => { - const { - search: dataSearchService, - query: { - timefilter: { timefilter }, - }, - } = dataService; const dashboardContentManagementCache = getDashboardContentManagementCache(); - const { - tags, - query, - title, - filters, - timeRestore, - description, - - // Dashboard options - useMargins, - syncColors, - syncCursor, - syncTooltips, - hidePanelTitles, - controlGroupInput, - } = currentState; - - let { panels } = currentState; - let prefixedPanelReferences = panelReferences; - if (saveOptions.saveAsCopy) { - const { panels: newPanels, references: newPanelReferences } = generateNewPanelIds( - panels, - panelReferences - ); - panels = newPanels; - prefixedPanelReferences = newPanelReferences; - // - // do not need to generate new ids for controls. - // ControlGroup Component is keyed on dashboard id so changing dashboard id mounts new ControlGroup Component. - // - } - - const { searchSource, searchSourceReferences } = await (async () => { - const searchSourceFields = await dataSearchService.searchSource.create(); - searchSourceFields.setField( - 'filter', // save only unpinned filters - filters.filter((filter) => !isFilterPinned(filter)) - ); - searchSourceFields.setField('query', query); - - const rawSearchSourceFields = searchSourceFields.getSerializedFields(); - const [fields, references] = extractSearchSourceReferences(rawSearchSourceFields) as [ - DashboardSearchSource, - SavedObjectReference[] - ]; - return { searchSourceReferences: references, searchSource: fields }; - })(); - - const options = { - useMargins, - syncColors, - syncCursor, - syncTooltips, - hidePanelTitles, - }; - const savedPanels = convertPanelMapToPanelsArray(panels, true); - - /** - * Parse global time filter settings - */ - const { from, to } = timefilter.getTime(); - const timeFrom = timeRestore ? convertTimeToUTCString(from) : undefined; - const timeTo = timeRestore ? convertTimeToUTCString(to) : undefined; - const refreshInterval = timeRestore - ? (pick(timefilter.getRefreshInterval(), [ - 'display', - 'pause', - 'section', - 'value', - ]) as RefreshInterval) - : undefined; - - const rawDashboardAttributes: DashboardAttributes = { - version: convertDashboardVersionToNumber(LATEST_DASHBOARD_CONTAINER_VERSION), - controlGroupInput: controlGroupInput as DashboardAttributes['controlGroupInput'], - kibanaSavedObjectMeta: { searchSource }, - description: description ?? '', - refreshInterval, - timeRestore, - options, - panels: savedPanels, - timeFrom, - title, - timeTo, - }; - - /** - * Extract references from raw attributes and tags into the references array. - */ - const { attributes, references: dashboardReferences } = extractReferences( - { - attributes: rawDashboardAttributes, - references: searchSourceReferences, - }, - { embeddablePersistableStateService: embeddableService } - ); - - const savedObjectsTaggingApi = savedObjectsTaggingService?.getTaggingApi(); - const references = savedObjectsTaggingApi?.ui.updateTagsReferences - ? savedObjectsTaggingApi?.ui.updateTagsReferences(dashboardReferences, tags) - : dashboardReferences; - - const allReferences = [ - ...references, - ...(prefixedPanelReferences ?? []), - ...(controlGroupReferences ?? []), - ]; + const { attributes, references } = getSerializedState({ + controlGroupReferences, + generateNewIds: saveOptions.saveAsCopy, + dashboardState, + panelReferences, + searchSourceReferences, + }); /** * Save the saved object using the content management @@ -183,7 +51,7 @@ export const saveDashboardState = async ({ contentTypeId: DASHBOARD_CONTENT_ID, data: attributes, options: { - references: allReferences, + references, /** perform a "full" update instead, where the provided attributes will fully replace the existing ones */ mergeAttributes: false, }, @@ -192,14 +60,14 @@ export const saveDashboardState = async ({ contentTypeId: DASHBOARD_CONTENT_ID, data: attributes, options: { - references: allReferences, + references, }, }); const newId = result.item.id; if (newId) { coreServices.notifications.toasts.addSuccess({ - title: dashboardSaveToastStrings.getSuccessString(currentState.title), + title: dashboardSaveToastStrings.getSuccessString(dashboardState.title), className: 'eui-textBreakWord', 'data-test-subj': 'saveDashboardSuccess', }); @@ -209,15 +77,15 @@ export const saveDashboardState = async ({ */ if (newId !== lastSavedId) { getDashboardBackupService().clearState(lastSavedId); - return { redirectRequired: true, id: newId, references: allReferences }; + return { redirectRequired: true, id: newId, references }; } else { dashboardContentManagementCache.deleteDashboard(newId); // something changed in an existing dashboard, so delete it from the cache so that it can be re-fetched } } - return { id: newId, references: allReferences }; + return { id: newId, references }; } catch (error) { coreServices.notifications.toasts.addDanger({ - title: dashboardSaveToastStrings.getFailureString(currentState.title, error.message), + title: dashboardSaveToastStrings.getFailureString(dashboardState.title, error.message), 'data-test-subj': 'saveDashboardFailure', }); return { error }; diff --git a/src/plugins/dashboard/public/services/dashboard_content_management_service/types.ts b/src/plugins/dashboard/public/services/dashboard_content_management_service/types.ts index 3c0c37afc0cd6..0c22aa03010c2 100644 --- a/src/plugins/dashboard/public/services/dashboard_content_management_service/types.ts +++ b/src/plugins/dashboard/public/services/dashboard_content_management_service/types.ts @@ -81,12 +81,18 @@ export type SavedDashboardSaveOpts = SavedObjectSaveOpts & { saveAsCopy?: boolea export interface SaveDashboardProps { controlGroupReferences?: Reference[]; - currentState: DashboardState; + dashboardState: DashboardState; saveOptions: SavedDashboardSaveOpts; panelReferences?: Reference[]; + searchSourceReferences?: Reference[]; lastSavedId?: string; } +export interface GetDashboardStateReturn { + attributes: DashboardAttributes; + references: Reference[]; +} + export interface SaveDashboardReturn { id?: string; error?: string; From 9ad31d086379c1fea08d152a6613aa8afa564356 Mon Sep 17 00:00:00 2001 From: Lukas Olson Date: Thu, 19 Dec 2024 14:51:58 -0700 Subject: [PATCH 21/31] Remove bfetch plugin (#204285) ## Summary Part of https://github.com/elastic/kibana/issues/186139. Relies on https://github.com/elastic/kibana/pull/204284. Second step of breaking up https://github.com/elastic/kibana/pull/199066 into smaller pieces. Removes the bfetch and bfetch-error plugins. --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .github/CODEOWNERS | 4 - .i18nrc.json | 2 - docs/developer/plugin-list.asciidoc | 4 - package.json | 2 - packages/kbn-bfetch-error/BUILD.bazel | 35 - packages/kbn-bfetch-error/README.md | 3 - packages/kbn-bfetch-error/index.ts | 10 - packages/kbn-bfetch-error/jest.config.js | 14 - packages/kbn-bfetch-error/kibana.jsonc | 9 - packages/kbn-bfetch-error/package.json | 6 - packages/kbn-bfetch-error/src/bfetch_error.ts | 38 - packages/kbn-bfetch-error/tsconfig.json | 21 - packages/kbn-optimizer/limits.yml | 1 - packages/kbn-search-errors/BUILD.bazel | 1 - .../src/render_search_error.ts | 3 +- packages/kbn-search-errors/tsconfig.json | 1 - src/plugins/bfetch/README.md | 56 -- src/plugins/bfetch/common/batch.ts | 27 - .../buffer/create_batched_function.test.ts | 65 -- .../common/buffer/create_batched_function.ts | 39 - src/plugins/bfetch/common/buffer/index.ts | 10 - src/plugins/bfetch/common/constants.ts | 12 - src/plugins/bfetch/common/index.ts | 18 - src/plugins/bfetch/common/streaming/index.ts | 10 - src/plugins/bfetch/common/streaming/types.ts | 14 - src/plugins/bfetch/common/types.ts | 10 - src/plugins/bfetch/common/util/index.ts | 12 - .../bfetch/common/util/normalize_error.ts | 36 - .../bfetch/common/util/query_params.ts | 13 - .../common/util/remove_leading_slash.ts | 10 - src/plugins/bfetch/docs/browser/reference.md | 44 - src/plugins/bfetch/docs/server/reference.md | 54 -- src/plugins/bfetch/jest.config.js | 17 - src/plugins/bfetch/kibana.jsonc | 18 - .../create_streaming_batched_function.test.ts | 756 ------------------ .../create_streaming_batched_function.ts | 170 ---- src/plugins/bfetch/public/batching/index.ts | 11 - src/plugins/bfetch/public/batching/types.ts | 21 - src/plugins/bfetch/public/index.ts | 22 - src/plugins/bfetch/public/mocks.ts | 55 -- src/plugins/bfetch/public/plugin.ts | 116 --- .../public/streaming/fetch_streaming.test.ts | 362 --------- .../public/streaming/fetch_streaming.ts | 68 -- .../streaming/from_streaming_xhr.test.ts | 271 ------- .../public/streaming/from_streaming_xhr.ts | 74 -- src/plugins/bfetch/public/streaming/index.ts | 13 - .../public/streaming/inflate_response.ts | 17 - .../bfetch/public/streaming/split.test.ts | 61 -- src/plugins/bfetch/public/streaming/split.ts | 49 -- src/plugins/bfetch/public/test_helpers/xhr.ts | 69 -- src/plugins/bfetch/server/index.ts | 17 - src/plugins/bfetch/server/mocks.ts | 52 -- src/plugins/bfetch/server/plugin.ts | 221 ----- .../streaming/create_compressed_stream.ts | 109 --- .../server/streaming/create_ndjson_stream.ts | 40 - .../bfetch/server/streaming/create_stream.ts | 25 - src/plugins/bfetch/server/streaming/index.ts | 12 - src/plugins/bfetch/server/ui_settings.ts | 56 -- src/plugins/bfetch/tsconfig.json | 21 - src/plugins/data/kibana.jsonc | 3 +- .../data/public/search/search_service.test.ts | 5 - src/plugins/data/public/types.ts | 2 - src/plugins/data/server/plugin.ts | 5 +- .../data/server/search/search_service.test.ts | 4 - .../data/server/search/search_service.ts | 4 +- src/plugins/data/tsconfig.json | 1 - tsconfig.base.json | 4 - .../plugins/synthetics/kibana.jsonc | 1 - .../plugins/synthetics/server/types.ts | 2 - .../plugins/synthetics/tsconfig.json | 1 - .../observability/plugins/uptime/kibana.jsonc | 1 - .../lib/adapters/framework/adapter_types.ts | 2 - .../plugins/uptime/tsconfig.json | 1 - .../test/api_integration/apis/maps/bsearch.ts | 113 --- .../test/api_integration/apis/maps/index.js | 2 +- .../test/api_integration/apis/maps/search.ts | 84 ++ .../feature_controls/management_security.ts | 2 +- x-pack/test/tsconfig.json | 1 - yarn.lock | 8 - 79 files changed, 90 insertions(+), 3463 deletions(-) delete mode 100644 packages/kbn-bfetch-error/BUILD.bazel delete mode 100644 packages/kbn-bfetch-error/README.md delete mode 100644 packages/kbn-bfetch-error/index.ts delete mode 100644 packages/kbn-bfetch-error/jest.config.js delete mode 100644 packages/kbn-bfetch-error/kibana.jsonc delete mode 100644 packages/kbn-bfetch-error/package.json delete mode 100644 packages/kbn-bfetch-error/src/bfetch_error.ts delete mode 100644 packages/kbn-bfetch-error/tsconfig.json delete mode 100644 src/plugins/bfetch/README.md delete mode 100644 src/plugins/bfetch/common/batch.ts delete mode 100644 src/plugins/bfetch/common/buffer/create_batched_function.test.ts delete mode 100644 src/plugins/bfetch/common/buffer/create_batched_function.ts delete mode 100644 src/plugins/bfetch/common/buffer/index.ts delete mode 100644 src/plugins/bfetch/common/constants.ts delete mode 100644 src/plugins/bfetch/common/index.ts delete mode 100644 src/plugins/bfetch/common/streaming/index.ts delete mode 100644 src/plugins/bfetch/common/streaming/types.ts delete mode 100644 src/plugins/bfetch/common/types.ts delete mode 100644 src/plugins/bfetch/common/util/index.ts delete mode 100644 src/plugins/bfetch/common/util/normalize_error.ts delete mode 100644 src/plugins/bfetch/common/util/query_params.ts delete mode 100644 src/plugins/bfetch/common/util/remove_leading_slash.ts delete mode 100644 src/plugins/bfetch/docs/browser/reference.md delete mode 100644 src/plugins/bfetch/docs/server/reference.md delete mode 100644 src/plugins/bfetch/jest.config.js delete mode 100644 src/plugins/bfetch/kibana.jsonc delete mode 100644 src/plugins/bfetch/public/batching/create_streaming_batched_function.test.ts delete mode 100644 src/plugins/bfetch/public/batching/create_streaming_batched_function.ts delete mode 100644 src/plugins/bfetch/public/batching/index.ts delete mode 100644 src/plugins/bfetch/public/batching/types.ts delete mode 100644 src/plugins/bfetch/public/index.ts delete mode 100644 src/plugins/bfetch/public/mocks.ts delete mode 100644 src/plugins/bfetch/public/plugin.ts delete mode 100644 src/plugins/bfetch/public/streaming/fetch_streaming.test.ts delete mode 100644 src/plugins/bfetch/public/streaming/fetch_streaming.ts delete mode 100644 src/plugins/bfetch/public/streaming/from_streaming_xhr.test.ts delete mode 100644 src/plugins/bfetch/public/streaming/from_streaming_xhr.ts delete mode 100644 src/plugins/bfetch/public/streaming/index.ts delete mode 100644 src/plugins/bfetch/public/streaming/inflate_response.ts delete mode 100644 src/plugins/bfetch/public/streaming/split.test.ts delete mode 100644 src/plugins/bfetch/public/streaming/split.ts delete mode 100644 src/plugins/bfetch/public/test_helpers/xhr.ts delete mode 100644 src/plugins/bfetch/server/index.ts delete mode 100644 src/plugins/bfetch/server/mocks.ts delete mode 100644 src/plugins/bfetch/server/plugin.ts delete mode 100644 src/plugins/bfetch/server/streaming/create_compressed_stream.ts delete mode 100644 src/plugins/bfetch/server/streaming/create_ndjson_stream.ts delete mode 100644 src/plugins/bfetch/server/streaming/create_stream.ts delete mode 100644 src/plugins/bfetch/server/streaming/index.ts delete mode 100644 src/plugins/bfetch/server/ui_settings.ts delete mode 100644 src/plugins/bfetch/tsconfig.json delete mode 100644 x-pack/test/api_integration/apis/maps/bsearch.ts create mode 100644 x-pack/test/api_integration/apis/maps/search.ts diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index c002421bf0e68..66d9654e561b4 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -289,7 +289,6 @@ packages/kbn-babel-preset @elastic/kibana-operations packages/kbn-babel-register @elastic/kibana-operations packages/kbn-babel-transform @elastic/kibana-operations packages/kbn-bazel-runner @elastic/kibana-operations -packages/kbn-bfetch-error @elastic/appex-sharedux packages/kbn-calculate-auto @elastic/obs-ux-management-team packages/kbn-calculate-width-from-char-count @elastic/kibana-visualizations packages/kbn-capture-oas-snapshot-cli @elastic/kibana-core @@ -619,7 +618,6 @@ src/platform/plugins/shared/esql @elastic/kibana-esql src/platform/plugins/shared/esql_datagrid @elastic/kibana-esql src/platform/plugins/shared/management @elastic/kibana-management src/plugins/advanced_settings @elastic/appex-sharedux @elastic/kibana-management -src/plugins/bfetch @elastic/appex-sharedux src/plugins/chart_expressions/common @elastic/kibana-visualizations src/plugins/chart_expressions/expression_gauge @elastic/kibana-visualizations src/plugins/chart_expressions/expression_heatmap @elastic/kibana-visualizations @@ -2911,7 +2909,6 @@ src/platform/packages/shared/kbn-analytics @elastic/kibana-core src/platform/packages/shared/kbn-apm-data-view @elastic/obs-ux-infra_services-team src/platform/packages/shared/kbn-apm-utils @elastic/obs-ux-infra_services-team src/platform/packages/shared/kbn-avc-banner @elastic/security-defend-workflows -src/platform/packages/shared/kbn-bfetch-error @elastic/appex-sharedux src/platform/packages/shared/kbn-calculate-width-from-char-count @elastic/kibana-visualizations src/platform/packages/shared/kbn-cases-components @elastic/response-ops src/platform/packages/shared/kbn-cbor @elastic/kibana-operations @@ -3091,7 +3088,6 @@ src/platform/plugins/private/vis_types/vega @elastic/kibana-visualizations src/platform/plugins/private/vis_types/vislib @elastic/kibana-visualizations src/platform/plugins/private/vis_types/xy @elastic/kibana-visualizations src/platform/plugins/shared/ai_assistant_management/selection @elastic/obs-ai-assistant -src/platform/plugins/shared/bfetch @elastic/appex-sharedux src/platform/plugins/shared/chart_expressions/expression_gauge @elastic/kibana-visualizations src/platform/plugins/shared/chart_expressions/expression_heatmap @elastic/kibana-visualizations src/platform/plugins/shared/chart_expressions/expression_legacy_metric @elastic/kibana-visualizations diff --git a/.i18nrc.json b/.i18nrc.json index 0e167c2b08b54..aeab3c4a16d23 100644 --- a/.i18nrc.json +++ b/.i18nrc.json @@ -8,8 +8,6 @@ "apmOss": "src/plugins/apm_oss", "autocomplete": "x-pack/solutions/security/packages/kbn-securitysolution-autocomplete/src", "avcBanner": "src/platform/packages/shared/kbn-avc-banner/src", - "bfetch": "src/plugins/bfetch", - "bfetchError": "packages/kbn-bfetch-error", "cases": ["packages/kbn-cases-components"], "cellActions": "src/platform/packages/shared/kbn-cell-actions", "charts": "src/plugins/charts", diff --git a/docs/developer/plugin-list.asciidoc b/docs/developer/plugin-list.asciidoc index c05f9514b2fc3..f97f4b4a20a04 100644 --- a/docs/developer/plugin-list.asciidoc +++ b/docs/developer/plugin-list.asciidoc @@ -32,10 +32,6 @@ as uiSettings within the code. |The aiAssistantManagementSelection plugin manages the Ai Assistant management section. -|{kib-repo}blob/{branch}/src/plugins/bfetch/README.md[bfetch] -|bfetch allows to batch HTTP requests and streams responses back. - - |{kib-repo}blob/{branch}/src/plugins/charts/README.md[charts] |The Charts plugin is a way to create easier integration of shared colors, themes, types and other utilities across all Kibana charts and visualizations. diff --git a/package.json b/package.json index 29ffd5f72b927..e76a2c898559f 100644 --- a/package.json +++ b/package.json @@ -196,8 +196,6 @@ "@kbn/audit-log-plugin": "link:x-pack/test/security_api_integration/plugins/audit_log", "@kbn/avc-banner": "link:src/platform/packages/shared/kbn-avc-banner", "@kbn/banners-plugin": "link:x-pack/plugins/banners", - "@kbn/bfetch-error": "link:packages/kbn-bfetch-error", - "@kbn/bfetch-plugin": "link:src/plugins/bfetch", "@kbn/calculate-auto": "link:packages/kbn-calculate-auto", "@kbn/calculate-width-from-char-count": "link:packages/kbn-calculate-width-from-char-count", "@kbn/canvas-plugin": "link:x-pack/plugins/canvas", diff --git a/packages/kbn-bfetch-error/BUILD.bazel b/packages/kbn-bfetch-error/BUILD.bazel deleted file mode 100644 index 88cb5bbe5b9e8..0000000000000 --- a/packages/kbn-bfetch-error/BUILD.bazel +++ /dev/null @@ -1,35 +0,0 @@ -load("@build_bazel_rules_nodejs//:index.bzl", "js_library") - -SRCS = glob( - [ - "**/*.ts", - "**/*.tsx", - ], - exclude = [ - "**/test_helpers.ts", - "**/*.config.js", - "**/*.mock.*", - "**/*.test.*", - "**/*.stories.*", - "**/__snapshots__/**", - "**/integration_tests/**", - "**/mocks/**", - "**/scripts/**", - "**/storybook/**", - "**/test_fixtures/**", - "**/test_helpers/**", - ], -) - -BUNDLER_DEPS = [ - "//packages/kbn-i18n", - "@npm//tslib", -] - -js_library( - name = "kbn-bfetch-error", - package_name = "@kbn/bfetch-error", - srcs = ["package.json"] + SRCS, - deps = BUNDLER_DEPS, - visibility = ["//visibility:public"], -) diff --git a/packages/kbn-bfetch-error/README.md b/packages/kbn-bfetch-error/README.md deleted file mode 100644 index c44118eef53a6..0000000000000 --- a/packages/kbn-bfetch-error/README.md +++ /dev/null @@ -1,3 +0,0 @@ -# @kbn/bfetch-error - -package isolating befetch error logic diff --git a/packages/kbn-bfetch-error/index.ts b/packages/kbn-bfetch-error/index.ts deleted file mode 100644 index c8a9f3c91c8ea..0000000000000 --- a/packages/kbn-bfetch-error/index.ts +++ /dev/null @@ -1,10 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export { BfetchRequestError } from './src/bfetch_error'; diff --git a/packages/kbn-bfetch-error/jest.config.js b/packages/kbn-bfetch-error/jest.config.js deleted file mode 100644 index 88b5bf7b9adc8..0000000000000 --- a/packages/kbn-bfetch-error/jest.config.js +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-bfetch-error'], -}; diff --git a/packages/kbn-bfetch-error/kibana.jsonc b/packages/kbn-bfetch-error/kibana.jsonc deleted file mode 100644 index c5f0f63bc8b13..0000000000000 --- a/packages/kbn-bfetch-error/kibana.jsonc +++ /dev/null @@ -1,9 +0,0 @@ -{ - "type": "shared-common", - "id": "@kbn/bfetch-error", - "owner": [ - "@elastic/appex-sharedux" - ], - "group": "platform", - "visibility": "shared" -} \ No newline at end of file diff --git a/packages/kbn-bfetch-error/package.json b/packages/kbn-bfetch-error/package.json deleted file mode 100644 index 39e05c4e4be06..0000000000000 --- a/packages/kbn-bfetch-error/package.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "name": "@kbn/bfetch-error", - "private": true, - "version": "1.0.0", - "license": "Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0" -} \ No newline at end of file diff --git a/packages/kbn-bfetch-error/src/bfetch_error.ts b/packages/kbn-bfetch-error/src/bfetch_error.ts deleted file mode 100644 index 77c5325cdd289..0000000000000 --- a/packages/kbn-bfetch-error/src/bfetch_error.ts +++ /dev/null @@ -1,38 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { i18n } from '@kbn/i18n'; - -/** - * Error thrown when xhr request fails - * @public - */ -export class BfetchRequestError extends Error { - /** - * constructor - * @param code - Xhr error code - */ - constructor(code: number) { - const message = - code === 0 - ? i18n.translate('bfetchError.networkError', { - defaultMessage: 'Check your network connection and try again.', - }) - : i18n.translate('bfetchError.networkErrorWithStatus', { - defaultMessage: 'Check your network connection and try again. Code {code}', - values: { code }, - }); - - super(message); - this.name = 'BfetchRequestError'; - this.code = code; - } - - code: number; -} diff --git a/packages/kbn-bfetch-error/tsconfig.json b/packages/kbn-bfetch-error/tsconfig.json deleted file mode 100644 index c4703bc51cf6c..0000000000000 --- a/packages/kbn-bfetch-error/tsconfig.json +++ /dev/null @@ -1,21 +0,0 @@ -{ - "extends": "../../tsconfig.base.json", - "compilerOptions": { - "outDir": "target/types", - "types": [ - "jest", - "node", - "react" - ] - }, - "include": [ - "**/*.ts", - "**/*.tsx", - ], - "exclude": [ - "target/**/*" - ], - "kbn_references": [ - "@kbn/i18n", - ] -} diff --git a/packages/kbn-optimizer/limits.yml b/packages/kbn-optimizer/limits.yml index 3152a02cd730f..85434fe0f2b21 100644 --- a/packages/kbn-optimizer/limits.yml +++ b/packages/kbn-optimizer/limits.yml @@ -7,7 +7,6 @@ pageLoadAssetSize: apm: 64385 assetInventory: 18478 banners: 17946 - bfetch: 22837 canvas: 29355 cases: 180037 charts: 55000 diff --git a/packages/kbn-search-errors/BUILD.bazel b/packages/kbn-search-errors/BUILD.bazel index b25a9f900f214..7f462f59a85b7 100644 --- a/packages/kbn-search-errors/BUILD.bazel +++ b/packages/kbn-search-errors/BUILD.bazel @@ -22,7 +22,6 @@ SRCS = glob( ) BUNDLER_DEPS = [ - "//packages/kbn-bfetch-error", "//packages/kbn-i18n", "@npm//@elastic/elasticsearch", "@npm//@elastic/eui", diff --git a/packages/kbn-search-errors/src/render_search_error.ts b/packages/kbn-search-errors/src/render_search_error.ts index 4cbf784c35e22..037af2bdb0ee0 100644 --- a/packages/kbn-search-errors/src/render_search_error.ts +++ b/packages/kbn-search-errors/src/render_search_error.ts @@ -9,7 +9,6 @@ import { i18n } from '@kbn/i18n'; import { ReactNode } from 'react'; -import { BfetchRequestError } from '@kbn/bfetch-error'; import { EsError } from './es_error'; export function renderSearchError( @@ -25,7 +24,7 @@ export function renderSearchError( }; } - if (error.constructor.name === 'HttpFetchError' || error instanceof BfetchRequestError) { + if (error.constructor.name === 'HttpFetchError') { const defaultMsg = i18n.translate('searchErrors.errors.fetchError', { defaultMessage: 'Check your network connection and try again.', }); diff --git a/packages/kbn-search-errors/tsconfig.json b/packages/kbn-search-errors/tsconfig.json index d420899bfae32..28c8e52860da0 100644 --- a/packages/kbn-search-errors/tsconfig.json +++ b/packages/kbn-search-errors/tsconfig.json @@ -20,7 +20,6 @@ "@kbn/core", "@kbn/kibana-utils-plugin", "@kbn/data-views-plugin", - "@kbn/bfetch-error", "@kbn/search-types", ] } diff --git a/src/plugins/bfetch/README.md b/src/plugins/bfetch/README.md deleted file mode 100644 index 9ed90a4de306e..0000000000000 --- a/src/plugins/bfetch/README.md +++ /dev/null @@ -1,56 +0,0 @@ -# `bfetch` plugin - -`bfetch` allows to batch HTTP requests and streams responses back. - - -# Example - -We will create a batch processing endpoint that receives a number then doubles it -and streams it back. We will also consider the number to be time in milliseconds -and before streaming the number back the server will wait for the specified number of -milliseconds. - -To do that, first create server-side batch processing route using [`addBatchProcessingRoute`](./docs/server/reference.md#addBatchProcessingRoute). - -```ts -plugins.bfetch.addBatchProcessingRoute<{ num: number }, { num: number }>( - '/my-plugin/double', - () => ({ - onBatchItem: async ({ num }) => { - // Validate inputs. - if (num < 0) throw new Error('Invalid number'); - // Wait number of specified milliseconds. - await new Promise(r => setTimeout(r, num)); - // Double the number and send it back. - return { num: 2 * num }; - }, - }) -); -``` - -Now on client-side create `double` function using [`batchedFunction`](./docs/browser/reference.md#batchedFunction). -The newly created `double` function can be called many times and it -will package individual calls into batches and send them to the server. - -```ts -const double = plugins.bfetch.batchedFunction<{ num: number }, { num: number }>({ - url: '/my-plugin/double', -}); -``` - -Note: the created `double` must accept a single object argument (`{ num: number }` in this case) -and it will return a promise that resolves into an object, too (also `{ num: number }` in this case). - -Use the `double` function. - -```ts -double({ num: 1 }).then(console.log, console.error); // { num: 2 } -double({ num: 2 }).then(console.log, console.error); // { num: 4 } -double({ num: 3 }).then(console.log, console.error); // { num: 6 } -``` - - -## Reference - -- [Browser](./docs/browser/reference.md) -- [Server](./docs/server/reference.md) diff --git a/src/plugins/bfetch/common/batch.ts b/src/plugins/bfetch/common/batch.ts deleted file mode 100644 index cc66367b01ab0..0000000000000 --- a/src/plugins/bfetch/common/batch.ts +++ /dev/null @@ -1,27 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export interface ErrorLike { - message: string; -} - -export interface BatchRequestData { - batch: Item[]; -} - -export interface BatchResponseItem { - id: number; - result?: Result; - error?: Error; -} - -export interface BatchItemWrapper { - compressed: boolean; - payload: string; -} diff --git a/src/plugins/bfetch/common/buffer/create_batched_function.test.ts b/src/plugins/bfetch/common/buffer/create_batched_function.test.ts deleted file mode 100644 index 2953eaf967c94..0000000000000 --- a/src/plugins/bfetch/common/buffer/create_batched_function.test.ts +++ /dev/null @@ -1,65 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { createBatchedFunction } from './create_batched_function'; - -describe('createBatchedFunction', () => { - test('calls onCall every time fn is called, calls onBatch once flushOnMaxItems reached', async () => { - const onBatch = jest.fn(); - const onCall = jest.fn(() => [1, 2] as any); - const [fn] = createBatchedFunction({ - onBatch, - onCall, - flushOnMaxItems: 2, - maxItemAge: 10, - }); - - expect(onCall).toHaveBeenCalledTimes(0); - expect(onBatch).toHaveBeenCalledTimes(0); - - fn(123); - - expect(onCall).toHaveBeenCalledTimes(1); - expect(onCall).toHaveBeenCalledWith(123); - expect(onBatch).toHaveBeenCalledTimes(0); - - fn(456); - - expect(onCall).toHaveBeenCalledTimes(2); - expect(onCall).toHaveBeenCalledWith(456); - expect(onBatch).toHaveBeenCalledTimes(1); - expect(onBatch).toHaveBeenCalledWith([2, 2]); - }); - - test('calls onBatch once timeout is reached', async () => { - const onBatch = jest.fn(); - const onCall = jest.fn(() => [4, 3] as any); - const [fn] = createBatchedFunction({ - onBatch, - onCall, - flushOnMaxItems: 2, - maxItemAge: 10, - }); - - expect(onCall).toHaveBeenCalledTimes(0); - expect(onBatch).toHaveBeenCalledTimes(0); - - fn(123); - - expect(onCall).toHaveBeenCalledTimes(1); - expect(onCall).toHaveBeenCalledWith(123); - expect(onBatch).toHaveBeenCalledTimes(0); - - await new Promise((r) => setTimeout(r, 15)); - - expect(onCall).toHaveBeenCalledTimes(1); - expect(onBatch).toHaveBeenCalledTimes(1); - expect(onBatch).toHaveBeenCalledWith([3]); - }); -}); diff --git a/src/plugins/bfetch/common/buffer/create_batched_function.ts b/src/plugins/bfetch/common/buffer/create_batched_function.ts deleted file mode 100644 index b87d45050b3c9..0000000000000 --- a/src/plugins/bfetch/common/buffer/create_batched_function.ts +++ /dev/null @@ -1,39 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import type { ItemBufferParams, TimedItemBufferParams } from '@kbn/item-buffer'; -import { TimedItemBuffer } from '@kbn/item-buffer'; - -type Fn = (...args: any) => any; - -export interface BatchedFunctionParams { - onCall: (...args: Parameters) => [ReturnType, BatchEntry]; - onBatch: (items: BatchEntry[]) => void; - flushOnMaxItems?: ItemBufferParams['flushOnMaxItems']; - maxItemAge?: TimedItemBufferParams['maxItemAge']; -} - -export const createBatchedFunction = ( - params: BatchedFunctionParams -): [Func, TimedItemBuffer] => { - const { onCall, onBatch, maxItemAge = 10, flushOnMaxItems = 25 } = params; - const buffer = new TimedItemBuffer({ - onFlush: onBatch, - maxItemAge, - flushOnMaxItems, - }); - - const fn: Func = ((...args) => { - const [result, batchEntry] = onCall(...args); - buffer.write(batchEntry); - return result; - }) as Func; - - return [fn, buffer]; -}; diff --git a/src/plugins/bfetch/common/buffer/index.ts b/src/plugins/bfetch/common/buffer/index.ts deleted file mode 100644 index 5ec864329f456..0000000000000 --- a/src/plugins/bfetch/common/buffer/index.ts +++ /dev/null @@ -1,10 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './create_batched_function'; diff --git a/src/plugins/bfetch/common/constants.ts b/src/plugins/bfetch/common/constants.ts deleted file mode 100644 index 928eca32e1895..0000000000000 --- a/src/plugins/bfetch/common/constants.ts +++ /dev/null @@ -1,12 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export const DISABLE_BFETCH_COMPRESSION = 'bfetch:disableCompression'; -export const DISABLE_BFETCH = 'bfetch:disable'; -export const BFETCH_ROUTE_VERSION_LATEST = '1'; diff --git a/src/plugins/bfetch/common/index.ts b/src/plugins/bfetch/common/index.ts deleted file mode 100644 index 40983f7c81374..0000000000000 --- a/src/plugins/bfetch/common/index.ts +++ /dev/null @@ -1,18 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export { normalizeError, removeLeadingSlash, appendQueryParam } from './util'; -export type { StreamingResponseHandler } from './streaming'; -export { type BatchedFunctionParams, createBatchedFunction } from './buffer'; -export type { ErrorLike, BatchRequestData, BatchResponseItem, BatchItemWrapper } from './batch'; -export { - DISABLE_BFETCH_COMPRESSION, - DISABLE_BFETCH, - BFETCH_ROUTE_VERSION_LATEST, -} from './constants'; diff --git a/src/plugins/bfetch/common/streaming/index.ts b/src/plugins/bfetch/common/streaming/index.ts deleted file mode 100644 index 34d385a3f5d62..0000000000000 --- a/src/plugins/bfetch/common/streaming/index.ts +++ /dev/null @@ -1,10 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './types'; diff --git a/src/plugins/bfetch/common/streaming/types.ts b/src/plugins/bfetch/common/streaming/types.ts deleted file mode 100644 index e25f04b17f73f..0000000000000 --- a/src/plugins/bfetch/common/streaming/types.ts +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { Observable } from 'rxjs'; - -export interface StreamingResponseHandler { - getResponseStream(payload: Payload): Observable; -} diff --git a/src/plugins/bfetch/common/types.ts b/src/plugins/bfetch/common/types.ts deleted file mode 100644 index 027d368e1ba94..0000000000000 --- a/src/plugins/bfetch/common/types.ts +++ /dev/null @@ -1,10 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './streaming/types'; diff --git a/src/plugins/bfetch/common/util/index.ts b/src/plugins/bfetch/common/util/index.ts deleted file mode 100644 index 6be4ad79b6000..0000000000000 --- a/src/plugins/bfetch/common/util/index.ts +++ /dev/null @@ -1,12 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './normalize_error'; -export * from './remove_leading_slash'; -export * from './query_params'; diff --git a/src/plugins/bfetch/common/util/normalize_error.ts b/src/plugins/bfetch/common/util/normalize_error.ts deleted file mode 100644 index 43e9c0958f909..0000000000000 --- a/src/plugins/bfetch/common/util/normalize_error.ts +++ /dev/null @@ -1,36 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { BfetchRequestError } from '@kbn/bfetch-error'; -import { ErrorLike } from '../batch'; - -export const normalizeError = (err: any): E => { - if (!err) { - return { - message: 'Unknown error.', - } as E; - } - if (err instanceof BfetchRequestError) { - // ignoring so we can return the error as is - // @ts-expect-error - return err; - } - if (err instanceof Error) { - return { message: err.message } as E; - } - if (typeof err === 'object') { - return { - ...err, - message: err.message || 'Unknown error.', - } as E; - } - return { - message: String(err), - } as E; -}; diff --git a/src/plugins/bfetch/common/util/query_params.ts b/src/plugins/bfetch/common/util/query_params.ts deleted file mode 100644 index 6c5233ff7daa4..0000000000000 --- a/src/plugins/bfetch/common/util/query_params.ts +++ /dev/null @@ -1,13 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export const appendQueryParam = (url: string, key: string, value: string): string => { - const separator = url.includes('?') ? '&' : '?'; - return `${url}${separator}${key}=${value}`; -}; diff --git a/src/plugins/bfetch/common/util/remove_leading_slash.ts b/src/plugins/bfetch/common/util/remove_leading_slash.ts deleted file mode 100644 index ad942541720ef..0000000000000 --- a/src/plugins/bfetch/common/util/remove_leading_slash.ts +++ /dev/null @@ -1,10 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export const removeLeadingSlash = (text: string) => (text[0] === '/' ? text.substr(1) : text); diff --git a/src/plugins/bfetch/docs/browser/reference.md b/src/plugins/bfetch/docs/browser/reference.md deleted file mode 100644 index 444b1aa08a98e..0000000000000 --- a/src/plugins/bfetch/docs/browser/reference.md +++ /dev/null @@ -1,44 +0,0 @@ -# `bfetch` browser reference - -- [`batchedFunction`](#batchedFunction) -- [`fetchStreaming`](#fetchStreaming) - - -## `batchedFunction` - -Creates a function that will buffer its calls (until timeout—10ms default— or capacity reached—25 default) -and send all calls in one batch to the specified endpoint. The endpoint is expected -to stream results back in ND-JSON format using `Transfer-Encoding: chunked`, which is -implemented by `addBatchProcessingRoute` server-side method of `bfetch` plugin. - -The created function is expected to be called with a single object argument and will -return a promise that will resolve to an object. - -```ts -const fn = bfetch.batchedFunction({ url: '/my-plugin/something' }); - -const result = await fn({ foo: 'bar' }); -``` - -Options: - -- `url` — URL endpoint that will receive a batch of requests. This endpoint is expected - to receive batch as a serialized JSON array. It should stream responses back - in ND-JSON format using `Transfer-Encoding: chunked` HTTP/1 streaming. -- `fetchStreaming` — The instance of `fetchStreaming` function that will perform ND-JSON handling. - There should be a version of this function available in setup contract of `bfetch` plugin. -- `flushOnMaxItems` — The maximum size of function call buffer before sending the batch request. -- `maxItemAge` — The maximum timeout in milliseconds of the oldest item in the batch - before sending the batch request. - - -## `fetchStreaming` - -Executes an HTTP request and expects that server streams back results using -HTTP/1 `Transfer-Encoding: chunked`. - -```ts -const { stream } = bfetch.fetchStreaming({ url: 'http://elastic.co' }); - -stream.subscribe(value => {}); -``` diff --git a/src/plugins/bfetch/docs/server/reference.md b/src/plugins/bfetch/docs/server/reference.md deleted file mode 100644 index 424532a50b817..0000000000000 --- a/src/plugins/bfetch/docs/server/reference.md +++ /dev/null @@ -1,54 +0,0 @@ -# `bfetch` server reference - -- [`addBatchProcessingRoute`](#addBatchProcessingRoute) -- [`addStreamingResponseRoute`](#addStreamingResponseRoute) - - -## `addBatchProcessingRoute` - -Sets up a server endpoint that expects to work with [`batchedFunction`](../browser/reference.md#batchedFunction). -The endpoint receives a batch of requests, processes each request and streams results -back immediately as they become available. You only need to implement the -processing of each request (`onBatchItem` function), everything else is handled. - -`onBatchItem` function is called for each individual request in the batch. -`onBatchItem` function receives a single object argument which is the payload -of one request; and it must return a promise that resolves to an object, too. -`onBatchItem` function is allowed to throw, in that case the error will be forwarded -to the browser only to the individual request, the rest of the batch will still continue -executing. - -```ts -plugins.bfetch.addBatchProcessingRoute( - '/my-plugin/double', - request => ({ - onBatchItem: async (payload) => { - // ... - return {}; - }, - }) -); -``` - -`request` is the `KibanaRequest` object. `addBatchProcessingRoute` together with `batchedFunction` -ensure that errors are handled and that all items in the batch get executed. - - -## `addStreamingResponseRoute` - -`addStreamingResponseRoute` is a lower-level interface that receives and `payload` -message returns and observable which results are streamed back as ND-JSON messages -until the observable completes. `addStreamingResponseRoute` does not know about the -type of the messages, it does not handle errors, and it does not have a concept of -batch size—observable can stream any number of messages until it completes. - -```ts -plugins.bfetch.addStreamingResponseRoute('/my-plugin/foo', request => ({ - getResponseStream: (payload) => { - const subject = new Subject(); - setTimeout(() => { subject.next('123'); }, 100); - setTimeout(() => { subject.complete(); }, 200); - return subject; - }, -})); -``` diff --git a/src/plugins/bfetch/jest.config.js b/src/plugins/bfetch/jest.config.js deleted file mode 100644 index 1b98c6b39f043..0000000000000 --- a/src/plugins/bfetch/jest.config.js +++ /dev/null @@ -1,17 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../../..', - roots: ['/src/plugins/bfetch'], - coverageDirectory: '/target/kibana-coverage/jest/src/plugins/bfetch', - coverageReporters: ['text', 'html'], - collectCoverageFrom: ['/src/plugins/bfetch/{common,public,server}/**/*.{ts,tsx}'], -}; diff --git a/src/plugins/bfetch/kibana.jsonc b/src/plugins/bfetch/kibana.jsonc deleted file mode 100644 index 39a8866f3b79b..0000000000000 --- a/src/plugins/bfetch/kibana.jsonc +++ /dev/null @@ -1,18 +0,0 @@ -{ - "type": "plugin", - "id": "@kbn/bfetch-plugin", - "owner": [ - "@elastic/appex-sharedux" - ], - "group": "platform", - "visibility": "shared", - "description": "Considering using bfetch capabilities when fetching large amounts of data. This services supports batching HTTP requests and streaming responses back.", - "plugin": { - "id": "bfetch", - "browser": true, - "server": true, - "requiredBundles": [ - "kibanaUtils" - ] - } -} \ No newline at end of file diff --git a/src/plugins/bfetch/public/batching/create_streaming_batched_function.test.ts b/src/plugins/bfetch/public/batching/create_streaming_batched_function.test.ts deleted file mode 100644 index 3a5aac0ea4ed5..0000000000000 --- a/src/plugins/bfetch/public/batching/create_streaming_batched_function.test.ts +++ /dev/null @@ -1,756 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { createStreamingBatchedFunction } from './create_streaming_batched_function'; -import { fetchStreaming as fetchStreamingReal } from '../streaming/fetch_streaming'; -import { AbortError, defer, of } from '@kbn/kibana-utils-plugin/public'; -import { Subject } from 'rxjs'; - -const flushPromises = () => - new Promise((resolve) => jest.requireActual('timers').setImmediate(resolve)); - -const getPromiseState = (promise: Promise): Promise<'resolved' | 'rejected' | 'pending'> => - Promise.race<'resolved' | 'rejected' | 'pending'>([ - new Promise((resolve) => - promise.then( - () => resolve('resolved'), - () => resolve('rejected') - ) - ), - new Promise<'pending'>((resolve) => resolve('pending')).then(() => 'pending'), - ]); - -const isPending = (promise: Promise): Promise => - getPromiseState(promise).then((state) => state === 'pending'); - -const setup = () => { - const xhr = {} as unknown as XMLHttpRequest; - const { promise, resolve, reject } = defer(); - const stream = new Subject(); - - const fetchStreaming = jest.fn(() => ({ - xhr, - promise, - stream, - })) as unknown as jest.SpyInstance & typeof fetchStreamingReal; - - return { - fetchStreaming, - xhr, - promise, - resolve, - reject, - stream, - }; -}; - -describe('createStreamingBatchedFunction()', () => { - beforeAll(() => { - jest.useFakeTimers({ legacyFakeTimers: true }); - }); - - afterAll(() => { - jest.useRealTimers(); - }); - test('returns a function', () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - getIsCompressionDisabled: () => true, - }); - expect(typeof fn).toBe('function'); - }); - - test('returned function is async', () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - getIsCompressionDisabled: () => true, - }); - const res = fn({}); - expect(typeof res.then).toBe('function'); - }); - - describe('when timeout is reached', () => { - test('dispatches batch', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - expect(fetchStreaming).toHaveBeenCalledTimes(0); - fn({ foo: 'bar' }); - expect(fetchStreaming).toHaveBeenCalledTimes(0); - fn({ baz: 'quix' }); - expect(fetchStreaming).toHaveBeenCalledTimes(0); - jest.advanceTimersByTime(6); - - expect(fetchStreaming).toHaveBeenCalledTimes(1); - }); - - test('does nothing is buffer is empty', async () => { - const { fetchStreaming } = setup(); - createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - expect(fetchStreaming).toHaveBeenCalledTimes(0); - jest.advanceTimersByTime(6); - expect(fetchStreaming).toHaveBeenCalledTimes(0); - }); - - test('sends POST request to correct endpoint', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - fn({ foo: 'bar' }); - jest.advanceTimersByTime(6); - - expect(fetchStreaming.mock.calls[0][0]).toMatchObject({ - url: '/test', - method: 'POST', - }); - }); - - test('collects calls into an array batch ordered by in same order as calls', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - fn({ foo: 'bar' }); - fn({ baz: 'quix' }); - - jest.advanceTimersByTime(6); - const { body } = fetchStreaming.mock.calls[0][0]; - expect(JSON.parse(body)).toEqual({ - batch: [{ foo: 'bar' }, { baz: 'quix' }], - }); - }); - }); - - describe('when buffer becomes full', () => { - test('dispatches batch request', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - expect(fetchStreaming).toHaveBeenCalledTimes(0); - fn({ foo: 'bar' }); - expect(fetchStreaming).toHaveBeenCalledTimes(0); - fn({ baz: 'quix' }); - expect(fetchStreaming).toHaveBeenCalledTimes(0); - fn({ full: 'yep' }); - expect(fetchStreaming).toHaveBeenCalledTimes(1); - }); - - test('ignores a request with an aborted signal', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const abortController = new AbortController(); - abortController.abort(); - - of(fn({ foo: 'bar' }, abortController.signal)); - fn({ baz: 'quix' }); - - jest.advanceTimersByTime(6); - const { body } = fetchStreaming.mock.calls[0][0]; - expect(JSON.parse(body)).toEqual({ - batch: [{ baz: 'quix' }], - }); - }); - - test("doesn't send batch request if all items have been aborted", async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const abortController = new AbortController(); - abortController.abort(); - - expect.assertions(3); - const req1 = fn({ foo: 'bar' }, abortController.signal).catch((e) => - expect(e).toBeInstanceOf(AbortError) - ); - const req2 = fn({ baz: 'quix' }, abortController.signal).catch((e) => - expect(e).toBeInstanceOf(AbortError) - ); - - jest.advanceTimersByTime(6); - expect(fetchStreaming).not.toBeCalled(); - - await Promise.all([req1, req2]); - }); - - test('sends POST request to correct endpoint with items in array batched sorted in call order', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - fn({ a: '1' }); - fn({ b: '2' }); - fn({ c: '3' }); - - expect(fetchStreaming.mock.calls[0][0]).toMatchObject({ - url: '/test', - method: 'POST', - }); - const { body } = fetchStreaming.mock.calls[0][0]; - expect(JSON.parse(body)).toEqual({ - batch: [{ a: '1' }, { b: '2' }, { c: '3' }], - }); - }); - - test('dispatches batch on full buffer and also on timeout', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - fn({ a: '1' }); - fn({ b: '2' }); - fn({ c: '3' }); - expect(fetchStreaming).toHaveBeenCalledTimes(1); - fn({ d: '4' }); - jest.advanceTimersByTime(6); - expect(fetchStreaming).toHaveBeenCalledTimes(2); - }); - }); - - describe('when receiving results', () => { - test('does not resolve call promises until request finishes', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = fn({ a: '1' }); - const promise2 = fn({ b: '2' }); - jest.advanceTimersByTime(6); - - expect(await isPending(promise1)).toBe(true); - expect(await isPending(promise2)).toBe(true); - }); - - test('resolves only promise of result that was streamed back', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - await flushPromises(); - - const promise1 = fn({ a: '1' }); - const promise2 = fn({ b: '2' }); - const promise3 = fn({ c: '3' }); - jest.advanceTimersByTime(6); - - expect(await isPending(promise1)).toBe(true); - expect(await isPending(promise2)).toBe(true); - expect(await isPending(promise3)).toBe(true); - - stream.next( - JSON.stringify({ - id: 1, - result: { foo: 'bar' }, - }) + '\n' - ); - - expect(await isPending(promise1)).toBe(true); - expect(await isPending(promise2)).toBe(false); - expect(await isPending(promise3)).toBe(true); - - stream.next( - JSON.stringify({ - id: 0, - result: { foo: 'bar 2' }, - }) + '\n' - ); - - expect(await isPending(promise1)).toBe(false); - expect(await isPending(promise2)).toBe(false); - expect(await isPending(promise3)).toBe(true); - }); - - test('resolves each promise with correct data', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = fn({ a: '1' }); - const promise2 = fn({ b: '2' }); - const promise3 = fn({ c: '3' }); - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 1, - result: { foo: 'bar' }, - }) + '\n' - ); - stream.next( - JSON.stringify({ - id: 2, - result: { foo: 'bar 2' }, - }) + '\n' - ); - - expect(await isPending(promise1)).toBe(true); - expect(await isPending(promise2)).toBe(false); - expect(await isPending(promise3)).toBe(false); - expect(await promise2).toEqual({ foo: 'bar' }); - expect(await promise3).toEqual({ foo: 'bar 2' }); - }); - - test('compression is false by default', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - flushOnMaxItems: 1, - fetchStreaming, - }); - - fn({ a: '1' }); - - const dontCompress = await fetchStreaming.mock.calls[0][0].getIsCompressionDisabled(); - expect(dontCompress).toBe(false); - }); - - test('resolves falsy results', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = fn({ a: '1' }); - const promise2 = fn({ b: '2' }); - const promise3 = fn({ c: '3' }); - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 0, - result: false, - }) + '\n' - ); - stream.next( - JSON.stringify({ - id: 1, - result: 0, - }) + '\n' - ); - stream.next( - JSON.stringify({ - id: 2, - result: '', - }) + '\n' - ); - - expect(await isPending(promise1)).toBe(false); - expect(await isPending(promise2)).toBe(false); - expect(await isPending(promise3)).toBe(false); - expect(await promise1).toEqual(false); - expect(await promise2).toEqual(0); - expect(await promise3).toEqual(''); - }); - - test('rejects promise on error response', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise = fn({ a: '1' }); - jest.advanceTimersByTime(6); - - expect(await isPending(promise)).toBe(true); - - stream.next( - JSON.stringify({ - id: 0, - error: { message: 'oops' }, - }) + '\n' - ); - - expect(await isPending(promise)).toBe(false); - const [, error] = await of(promise); - expect(error).toEqual({ - message: 'oops', - }); - }); - - test('resolves successful requests even after rejected ones', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - const promise3 = of(fn({ a: '3' })); - - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 2, - result: { b: '3' }, - }) + '\n' - ); - - jest.advanceTimersByTime(1); - - stream.next( - JSON.stringify({ - id: 1, - error: { b: '2' }, - }) + '\n' - ); - - jest.advanceTimersByTime(1); - - stream.next( - JSON.stringify({ - id: 0, - result: { b: '1' }, - }) + '\n' - ); - - jest.advanceTimersByTime(1); - - const [result1] = await promise1; - const [, error2] = await promise2; - const [result3] = await promise3; - - expect(result1).toEqual({ b: '1' }); - expect(error2).toEqual({ b: '2' }); - expect(result3).toEqual({ b: '3' }); - }); - - describe('when requests are aborted', () => { - test('aborts stream when all are aborted', async () => { - const { fetchStreaming } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const abortController = new AbortController(); - const promise = fn({ a: '1' }, abortController.signal); - const promise2 = fn({ a: '2' }, abortController.signal); - jest.advanceTimersByTime(6); - - expect(await isPending(promise)).toBe(true); - expect(await isPending(promise2)).toBe(true); - - abortController.abort(); - jest.advanceTimersByTime(6); - await flushPromises(); - - expect(await isPending(promise)).toBe(false); - expect(await isPending(promise2)).toBe(false); - const [, error] = await of(promise); - const [, error2] = await of(promise2); - expect(error).toBeInstanceOf(AbortError); - expect(error2).toBeInstanceOf(AbortError); - expect(fetchStreaming.mock.calls[0][0].signal.aborted).toBeTruthy(); - }); - - test('rejects promise on abort and lets others continue', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const abortController = new AbortController(); - const promise = fn({ a: '1' }, abortController.signal); - const promise2 = fn({ a: '2' }); - jest.advanceTimersByTime(6); - - expect(await isPending(promise)).toBe(true); - - abortController.abort(); - jest.advanceTimersByTime(6); - await flushPromises(); - - expect(await isPending(promise)).toBe(false); - const [, error] = await of(promise); - expect(error).toBeInstanceOf(AbortError); - - stream.next( - JSON.stringify({ - id: 1, - result: { b: '2' }, - }) + '\n' - ); - - jest.advanceTimersByTime(1); - - const [result2] = await of(promise2); - expect(result2).toEqual({ b: '2' }); - }); - }); - - describe('when stream closes prematurely', () => { - test('rejects pending promises with CONNECTION error code', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - - jest.advanceTimersByTime(6); - - stream.complete(); - - jest.advanceTimersByTime(1); - - const [, error1] = await promise1; - const [, error2] = await promise2; - expect(error1).toMatchObject({ - message: 'Connection terminated prematurely.', - code: 'CONNECTION', - }); - expect(error2).toMatchObject({ - message: 'Connection terminated prematurely.', - code: 'CONNECTION', - }); - }); - - test('rejects with CONNECTION error only pending promises', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 1, - result: { b: '1' }, - }) + '\n' - ); - stream.complete(); - - jest.advanceTimersByTime(1); - - const [, error1] = await promise1; - const [result1] = await promise2; - expect(error1).toMatchObject({ - message: 'Connection terminated prematurely.', - code: 'CONNECTION', - }); - expect(result1).toMatchObject({ - b: '1', - }); - }); - }); - - describe('when stream errors', () => { - test('rejects pending promises with STREAM error code', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - - jest.advanceTimersByTime(6); - - stream.error({ - message: 'something went wrong', - }); - - jest.advanceTimersByTime(1); - - const [, error1] = await promise1; - const [, error2] = await promise2; - expect(error1).toMatchObject({ - message: 'something went wrong', - code: 'STREAM', - }); - expect(error2).toMatchObject({ - message: 'something went wrong', - code: 'STREAM', - }); - }); - - test('rejects with STREAM error only pending promises', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 1, - result: { b: '1' }, - }) + '\n' - ); - stream.error('oops'); - - jest.advanceTimersByTime(1); - - const [, error1] = await promise1; - const [result1] = await promise2; - expect(error1).toMatchObject({ - message: 'oops', - code: 'STREAM', - }); - expect(result1).toMatchObject({ - b: '1', - }); - }); - }); - - test('rejects with STREAM error on JSON parse error only pending promises', async () => { - const { fetchStreaming, stream } = setup(); - const fn = createStreamingBatchedFunction({ - url: '/test', - fetchStreaming, - maxItemAge: 5, - flushOnMaxItems: 3, - getIsCompressionDisabled: () => true, - }); - await flushPromises(); - - const promise1 = of(fn({ a: '1' })); - const promise2 = of(fn({ a: '2' })); - - jest.advanceTimersByTime(6); - - stream.next( - JSON.stringify({ - id: 1, - result: { b: '1' }, - }) + '\n' - ); - - stream.next('Not a JSON\n'); - - jest.advanceTimersByTime(1); - - const [, error1] = await promise1; - const [result1] = await promise2; - expect(error1).toMatchObject({ - message: `Unexpected token 'N', "Not a JSON\n" is not valid JSON`, - code: 'STREAM', - }); - expect(result1).toMatchObject({ - b: '1', - }); - }); - }); -}); diff --git a/src/plugins/bfetch/public/batching/create_streaming_batched_function.ts b/src/plugins/bfetch/public/batching/create_streaming_batched_function.ts deleted file mode 100644 index 799aef494a19e..0000000000000 --- a/src/plugins/bfetch/public/batching/create_streaming_batched_function.ts +++ /dev/null @@ -1,170 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { AbortError, abortSignalToPromise, defer } from '@kbn/kibana-utils-plugin/public'; -import type { ItemBufferParams, TimedItemBufferParams } from '@kbn/item-buffer'; -import { createBatchedFunction, ErrorLike, normalizeError } from '../../common'; -import { fetchStreaming } from '../streaming'; -import { BatchedFunc, BatchItem } from './types'; - -export interface BatchedFunctionProtocolError extends ErrorLike { - code: string; -} - -export interface StreamingBatchedFunctionParams { - /** - * URL endpoint that will receive a batch of requests. This endpoint is expected - * to receive batch as a serialized JSON array. It should stream responses back - * in ND-JSON format using `Transfer-Encoding: chunked` HTTP/1 streaming. - */ - url: string; - - /** - * The instance of `fetchStreaming` function that will perform ND-JSON handling. - * There should be a version of this function available in setup contract of `bfetch` - * plugin. - */ - fetchStreaming?: typeof fetchStreaming; - - /** - * The maximum size of function call buffer before sending the batch request. - */ - flushOnMaxItems?: ItemBufferParams['flushOnMaxItems']; - - /** - * The maximum timeout in milliseconds of the oldest item in the batch - * before sending the batch request. - */ - maxItemAge?: TimedItemBufferParams['maxItemAge']; - - /** - * Disabled zlib compression of response chunks. - */ - getIsCompressionDisabled?: () => boolean; -} - -/** - * Returns a function that does not execute immediately but buffers the call internally until - * `params.flushOnMaxItems` is reached or after `params.maxItemAge` timeout in milliseconds is reached. Once - * one of those thresholds is reached all buffered calls are sent in one batch to the - * server using `params.fetchStreaming` in a POST request. Responses are streamed back - * and each batch item is resolved once corresponding response is received. - */ -export const createStreamingBatchedFunction = ( - params: StreamingBatchedFunctionParams -): BatchedFunc => { - const { - url, - fetchStreaming: fetchStreamingInjected = fetchStreaming, - flushOnMaxItems = 25, - maxItemAge = 10, - getIsCompressionDisabled = () => false, - } = params; - const [fn] = createBatchedFunction({ - onCall: (payload: Payload, signal?: AbortSignal) => { - const future = defer(); - const entry: BatchItem = { - payload, - future, - signal, - }; - return [future.promise, entry]; - }, - onBatch: async (items) => { - try { - // Filter out any items whose signal is already aborted - items = items.filter((item) => { - if (item.signal?.aborted) item.future.reject(new AbortError()); - return !item.signal?.aborted; - }); - - if (items.length === 0) { - return; // all items have been aborted before a request has been sent - } - - const donePromises: Array> = items.map((item) => { - return new Promise((resolve) => { - const { promise: abortPromise, cleanup } = item.signal - ? abortSignalToPromise(item.signal) - : { - promise: undefined, - cleanup: () => {}, - }; - - const onDone = () => { - resolve(); - cleanup(); - }; - if (abortPromise) - abortPromise.catch(() => { - item.future.reject(new AbortError()); - onDone(); - }); - item.future.promise.then(onDone, onDone); - }); - }); - - // abort when all items were either resolved, rejected or aborted - const abortController = new AbortController(); - let isBatchDone = false; - Promise.all(donePromises).then(() => { - isBatchDone = true; - abortController.abort(); - }); - const batch = items.map((item) => item.payload); - - const { stream } = fetchStreamingInjected({ - url, - body: JSON.stringify({ batch }), - method: 'POST', - signal: abortController.signal, - getIsCompressionDisabled, - }); - - const handleStreamError = (error: any) => { - const normalizedError = normalizeError(error); - normalizedError.code = 'STREAM'; - for (const { future } of items) future.reject(normalizedError); - }; - - stream.subscribe({ - next: (json: string) => { - try { - const response = JSON.parse(json); - if (response.error) { - items[response.id].future.reject(response.error); - } else if (response.result !== undefined) { - items[response.id].future.resolve(response.result); - } - } catch (e) { - handleStreamError(e); - } - }, - error: handleStreamError, - complete: () => { - if (!isBatchDone) { - const error: BatchedFunctionProtocolError = { - message: 'Connection terminated prematurely.', - code: 'CONNECTION', - }; - for (const { future } of items) future.reject(error); - } - }, - }); - await stream.toPromise(); - } catch (error) { - for (const item of items) item.future.reject(error); - } - }, - flushOnMaxItems, - maxItemAge, - }); - - return fn; -}; diff --git a/src/plugins/bfetch/public/batching/index.ts b/src/plugins/bfetch/public/batching/index.ts deleted file mode 100644 index 1285bab9b1ef5..0000000000000 --- a/src/plugins/bfetch/public/batching/index.ts +++ /dev/null @@ -1,11 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export type { StreamingBatchedFunctionParams } from './create_streaming_batched_function'; -export { createStreamingBatchedFunction } from './create_streaming_batched_function'; diff --git a/src/plugins/bfetch/public/batching/types.ts b/src/plugins/bfetch/public/batching/types.ts deleted file mode 100644 index 1d1708f7366ab..0000000000000 --- a/src/plugins/bfetch/public/batching/types.ts +++ /dev/null @@ -1,21 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { Defer } from '@kbn/kibana-utils-plugin/public'; - -export interface BatchItem { - payload: Payload; - future: Defer; - signal?: AbortSignal; -} - -export type BatchedFunc = ( - payload: Payload, - signal?: AbortSignal -) => Promise; diff --git a/src/plugins/bfetch/public/index.ts b/src/plugins/bfetch/public/index.ts deleted file mode 100644 index cdce68a59ce27..0000000000000 --- a/src/plugins/bfetch/public/index.ts +++ /dev/null @@ -1,22 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { PluginInitializerContext } from '@kbn/core/public'; -import { BfetchPublicPlugin } from './plugin'; - -export type { BfetchPublicSetup, BfetchPublicStart, BfetchPublicContract } from './plugin'; -export { split } from './streaming'; - -export type { BatchedFunc } from './batching/types'; - -export { DISABLE_BFETCH } from '../common/constants'; - -export function plugin(initializerContext: PluginInitializerContext) { - return new BfetchPublicPlugin(initializerContext); -} diff --git a/src/plugins/bfetch/public/mocks.ts b/src/plugins/bfetch/public/mocks.ts deleted file mode 100644 index 20abe00f84e11..0000000000000 --- a/src/plugins/bfetch/public/mocks.ts +++ /dev/null @@ -1,55 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { coreMock } from '@kbn/core/public/mocks'; -import { BfetchPublicSetup, BfetchPublicStart } from '.'; -import { plugin as pluginInitializer } from '.'; - -export type Setup = jest.Mocked; -export type Start = jest.Mocked; - -const createSetupContract = (): Setup => { - const setupContract: Setup = { - fetchStreaming: jest.fn(), - batchedFunction: jest.fn(), - }; - return setupContract; -}; - -const createStartContract = (): Start => { - const startContract: Start = { - fetchStreaming: jest.fn(), - batchedFunction: jest.fn(), - }; - - return startContract; -}; - -const createPlugin = async () => { - const pluginInitializerContext = coreMock.createPluginInitializerContext(); - const coreSetup = coreMock.createSetup(); - const coreStart = coreMock.createStart(); - const plugin = pluginInitializer(pluginInitializerContext); - const setup = await plugin.setup(coreSetup, {}); - - return { - pluginInitializerContext, - coreSetup, - coreStart, - plugin, - setup, - doStart: async () => await plugin.start(coreStart, {}), - }; -}; - -export const bfetchPluginMock = { - createSetupContract, - createStartContract, - createPlugin, -}; diff --git a/src/plugins/bfetch/public/plugin.ts b/src/plugins/bfetch/public/plugin.ts deleted file mode 100644 index 2e1ef59d39b86..0000000000000 --- a/src/plugins/bfetch/public/plugin.ts +++ /dev/null @@ -1,116 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { CoreSetup, CoreStart, Plugin, PluginInitializerContext } from '@kbn/core/public'; -import { createStartServicesGetter } from '@kbn/kibana-utils-plugin/public'; -import { - ELASTIC_HTTP_VERSION_HEADER, - X_ELASTIC_INTERNAL_ORIGIN_REQUEST, -} from '@kbn/core-http-common'; -import { fetchStreaming as fetchStreamingStatic, FetchStreamingParams } from './streaming'; -import { DISABLE_BFETCH_COMPRESSION, removeLeadingSlash } from '../common'; -import { createStreamingBatchedFunction, StreamingBatchedFunctionParams } from './batching'; -import { BatchedFunc } from './batching/types'; -import { BFETCH_ROUTE_VERSION_LATEST } from '../common/constants'; - -// eslint-disable-next-line @typescript-eslint/no-empty-interface -export interface BfetchPublicSetupDependencies {} - -// eslint-disable-next-line @typescript-eslint/no-empty-interface -export interface BfetchPublicStartDependencies {} - -export interface BfetchPublicContract { - fetchStreaming: (params: FetchStreamingParams) => ReturnType; - batchedFunction: ( - params: StreamingBatchedFunctionParams - ) => BatchedFunc; -} - -export type BfetchPublicSetup = BfetchPublicContract; -export type BfetchPublicStart = BfetchPublicContract; - -export class BfetchPublicPlugin - implements - Plugin< - BfetchPublicSetup, - BfetchPublicStart, - BfetchPublicSetupDependencies, - BfetchPublicStartDependencies - > -{ - private contract!: BfetchPublicContract; - - constructor(private readonly initializerContext: PluginInitializerContext) {} - - public setup( - core: CoreSetup, - plugins: BfetchPublicSetupDependencies - ): BfetchPublicSetup { - const { version: kibanaVersion } = this.initializerContext.env.packageInfo; - const basePath = core.http.basePath.get(); - - const startServices = createStartServicesGetter(core.getStartServices); - const getIsCompressionDisabled = () => - startServices().core.uiSettings.get(DISABLE_BFETCH_COMPRESSION); - - const fetchStreaming = this.fetchStreaming( - BFETCH_ROUTE_VERSION_LATEST, - kibanaVersion, - basePath, - getIsCompressionDisabled - ); - const batchedFunction = this.batchedFunction(fetchStreaming, getIsCompressionDisabled); - - this.contract = { - fetchStreaming, - batchedFunction, - }; - - return this.contract; - } - - public start(core: CoreStart, plugins: BfetchPublicStartDependencies): BfetchPublicStart { - return this.contract; - } - - public stop() {} - - private fetchStreaming = - ( - version: string, - kibanaVersion: string, - basePath: string, - getIsCompressionDisabled: () => boolean - ): BfetchPublicSetup['fetchStreaming'] => - (params) => - fetchStreamingStatic({ - ...params, - url: `${basePath}/${removeLeadingSlash(params.url)}`, - headers: { - 'Content-Type': 'application/json', - 'kbn-version': kibanaVersion, - [X_ELASTIC_INTERNAL_ORIGIN_REQUEST]: 'Kibana', - [ELASTIC_HTTP_VERSION_HEADER]: version, - ...(params.headers || {}), - }, - getIsCompressionDisabled, - }); - - private batchedFunction = - ( - fetchStreaming: BfetchPublicContract['fetchStreaming'], - getIsCompressionDisabled: () => boolean - ): BfetchPublicContract['batchedFunction'] => - (params) => - createStreamingBatchedFunction({ - ...params, - getIsCompressionDisabled, - fetchStreaming: params.fetchStreaming || fetchStreaming, - }); -} diff --git a/src/plugins/bfetch/public/streaming/fetch_streaming.test.ts b/src/plugins/bfetch/public/streaming/fetch_streaming.test.ts deleted file mode 100644 index 8e065ce424dd7..0000000000000 --- a/src/plugins/bfetch/public/streaming/fetch_streaming.test.ts +++ /dev/null @@ -1,362 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { fetchStreaming } from './fetch_streaming'; -import { mockXMLHttpRequest } from '../test_helpers/xhr'; -import { promisify } from 'util'; -import { deflate } from 'zlib'; -const pDeflate = promisify(deflate); - -const compressResponse = async (resp: any) => { - const gzipped = await pDeflate(JSON.stringify(resp)); - return gzipped.toString('base64'); -}; - -const tick = () => new Promise((resolve) => setTimeout(resolve, 1)); - -const setup = () => { - const { xhr, XMLHttpRequest } = mockXMLHttpRequest(); - window.XMLHttpRequest = XMLHttpRequest; - (xhr as any).status = 200; - return { xhr }; -}; - -test('returns XHR request', () => { - setup(); - const { xhr } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - expect(typeof xhr.readyState).toBe('number'); -}); - -test('returns stream', () => { - setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - expect(typeof stream.subscribe).toBe('function'); -}); - -test('promise resolves when request completes', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - let resolved = false; - stream.toPromise().then(() => (resolved = true)); - - await tick(); - expect(resolved).toBe(false); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - - await tick(); - expect(resolved).toBe(false); - - (env.xhr as any).responseText = 'foo\nbar'; - env.xhr.onprogress!({} as any); - - await tick(); - expect(resolved).toBe(false); - - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(resolved).toBe(true); -}); - -test('promise resolves when compressed request completes', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => false, - }); - - let resolved = false; - let result; - stream.toPromise().then((r) => { - resolved = true; - result = r; - }); - - await tick(); - expect(resolved).toBe(false); - - const msg = { foo: 'bar' }; - - // Whole message in a response - (env.xhr as any).responseText = `${await compressResponse(msg)}\n`; - env.xhr.onprogress!({} as any); - - await tick(); - expect(resolved).toBe(false); - - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(resolved).toBe(true); - expect(result).toStrictEqual(JSON.stringify(msg)); -}); - -test('promise resolves when compressed chunked request completes', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => false, - }); - - let resolved = false; - let result; - stream.toPromise().then((r) => { - resolved = true; - result = r; - }); - - await tick(); - expect(resolved).toBe(false); - - const msg = { veg: 'tomato' }; - const msgToCut = await compressResponse(msg); - const part1 = msgToCut.substr(0, 3); - - // Message and a half in a response - (env.xhr as any).responseText = part1; - env.xhr.onprogress!({} as any); - - await tick(); - expect(resolved).toBe(false); - - // Half a message in a response - (env.xhr as any).responseText = `${msgToCut}\n`; - env.xhr.onprogress!({} as any); - - await tick(); - expect(resolved).toBe(false); - - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(resolved).toBe(true); - expect(result).toStrictEqual(JSON.stringify(msg)); -}); - -test('streams incoming text as it comes through, according to separators', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - const spy = jest.fn(); - stream.subscribe(spy); - - await tick(); - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo\nbar'; - env.xhr.onprogress!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(1); - expect(spy).toHaveBeenCalledWith('foo'); - - (env.xhr as any).responseText = 'foo\nbar\n'; - env.xhr.onprogress!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(2); - expect(spy).toHaveBeenCalledWith('bar'); - - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(2); -}); - -test('completes stream observable when request finishes', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - const spy = jest.fn(); - stream.subscribe({ - complete: spy, - }); - - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - expect(spy).toHaveBeenCalledTimes(1); -}); - -test('completes stream observable when aborted', async () => { - const env = setup(); - const abort = new AbortController(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - signal: abort.signal, - getIsCompressionDisabled: () => true, - }); - - const spy = jest.fn(); - stream.subscribe({ - complete: spy, - }); - - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - - abort.abort(); - - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 200; - env.xhr.onreadystatechange!({} as any); - - expect(spy).toHaveBeenCalledTimes(1); -}); - -test('promise throws when request errors', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - const spy = jest.fn(); - stream.toPromise().catch(spy); - - await tick(); - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 400; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(1); - expect(spy.mock.calls[0][0]).toBeInstanceOf(Error); - expect(spy.mock.calls[0][0].message).toMatchInlineSnapshot( - `"Check your network connection and try again. Code 400"` - ); -}); - -test('stream observable errors when request errors', async () => { - const env = setup(); - const { stream } = fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - const spy = jest.fn(); - stream.subscribe({ - error: spy, - }); - - await tick(); - expect(spy).toHaveBeenCalledTimes(0); - - (env.xhr as any).responseText = 'foo'; - env.xhr.onprogress!({} as any); - (env.xhr as any).readyState = 4; - (env.xhr as any).status = 400; - env.xhr.onreadystatechange!({} as any); - - await tick(); - expect(spy).toHaveBeenCalledTimes(1); - expect(spy.mock.calls[0][0]).toBeInstanceOf(Error); - expect(spy.mock.calls[0][0].message).toMatchInlineSnapshot( - `"Check your network connection and try again. Code 400"` - ); -}); - -test('sets custom headers', async () => { - const env = setup(); - fetchStreaming({ - url: 'http://example.com', - headers: { - 'Content-Type': 'text/plain', - Authorization: 'Bearer 123', - }, - getIsCompressionDisabled: () => true, - }); - - expect(env.xhr.setRequestHeader).toHaveBeenCalledWith('Content-Type', 'text/plain'); - expect(env.xhr.setRequestHeader).toHaveBeenCalledWith('Authorization', 'Bearer 123'); -}); - -test('uses credentials', async () => { - const env = setup(); - - expect(env.xhr.withCredentials).toBe(false); - - fetchStreaming({ - url: 'http://example.com', - getIsCompressionDisabled: () => true, - }); - - expect(env.xhr.withCredentials).toBe(true); -}); - -test('opens XHR request and sends specified body', async () => { - const env = setup(); - - expect(env.xhr.open).toHaveBeenCalledTimes(0); - expect(env.xhr.send).toHaveBeenCalledTimes(0); - - fetchStreaming({ - url: 'http://elastic.co', - method: 'GET', - body: 'foobar', - getIsCompressionDisabled: () => true, - }); - - expect(env.xhr.open).toHaveBeenCalledTimes(1); - expect(env.xhr.send).toHaveBeenCalledTimes(1); - expect(env.xhr.open).toHaveBeenCalledWith('GET', 'http://elastic.co'); - expect(env.xhr.send).toHaveBeenCalledWith('foobar'); -}); - -test('uses POST request method by default', async () => { - const env = setup(); - fetchStreaming({ - url: 'http://elastic.co', - getIsCompressionDisabled: () => true, - }); - expect(env.xhr.open).toHaveBeenCalledWith('POST', 'http://elastic.co'); -}); diff --git a/src/plugins/bfetch/public/streaming/fetch_streaming.ts b/src/plugins/bfetch/public/streaming/fetch_streaming.ts deleted file mode 100644 index 6df4e72fedc85..0000000000000 --- a/src/plugins/bfetch/public/streaming/fetch_streaming.ts +++ /dev/null @@ -1,68 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { map, share } from 'rxjs'; -import { inflateResponse } from '.'; -import { fromStreamingXhr } from './from_streaming_xhr'; -import { split } from './split'; -import { appendQueryParam } from '../../common'; - -export interface FetchStreamingParams { - url: string; - headers?: Record; - method?: 'GET' | 'POST'; - body?: string; - signal?: AbortSignal; - getIsCompressionDisabled?: () => boolean; -} - -/** - * Sends an AJAX request to the server, and processes the result as a - * streaming HTTP/1 response. Streams data as text through observable. - */ -export function fetchStreaming({ - url, - headers = {}, - method = 'POST', - body = '', - signal, - getIsCompressionDisabled = () => false, -}: FetchStreamingParams) { - const xhr = new window.XMLHttpRequest(); - - const isCompressionDisabled = getIsCompressionDisabled(); - if (!isCompressionDisabled) { - url = appendQueryParam(url, 'compress', 'true'); - } - // Begin the request - xhr.open(method, url); - xhr.withCredentials = true; - - // Set the HTTP headers - Object.entries(headers).forEach(([k, v]) => xhr.setRequestHeader(k, v)); - - const stream = fromStreamingXhr(xhr, signal); - - // Send the payload to the server - xhr.send(body); - - // Return a stream of chunked decompressed messages - const stream$ = stream.pipe( - split('\n'), - map((msg) => { - return isCompressionDisabled ? msg : inflateResponse(msg); - }), - share() - ); - - return { - xhr, - stream: stream$, - }; -} diff --git a/src/plugins/bfetch/public/streaming/from_streaming_xhr.test.ts b/src/plugins/bfetch/public/streaming/from_streaming_xhr.test.ts deleted file mode 100644 index d39dda2e07c0c..0000000000000 --- a/src/plugins/bfetch/public/streaming/from_streaming_xhr.test.ts +++ /dev/null @@ -1,271 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { fromStreamingXhr } from './from_streaming_xhr'; - -const createXhr = (): XMLHttpRequest => - ({ - abort: () => {}, - onprogress: () => {}, - onreadystatechange: () => {}, - readyState: 0, - responseText: '', - status: 200, - } as unknown as XMLHttpRequest); - -test('returns observable', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - expect(typeof observable.subscribe).toBe('function'); -}); - -test('emits an event to observable', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const spy = jest.fn(); - observable.subscribe(spy); - - expect(spy).toHaveBeenCalledTimes(0); - - (xhr as any).responseText = 'foo'; - xhr.onprogress!({} as any); - - expect(spy).toHaveBeenCalledTimes(1); - expect(spy).toHaveBeenCalledWith('foo'); -}); - -test('streams multiple events to observable', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const spy = jest.fn(); - observable.subscribe(spy); - - expect(spy).toHaveBeenCalledTimes(0); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '12'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '123'; - xhr.onprogress!({} as any); - - expect(spy).toHaveBeenCalledTimes(3); - expect(spy.mock.calls[0][0]).toBe('1'); - expect(spy.mock.calls[1][0]).toBe('2'); - expect(spy.mock.calls[2][0]).toBe('3'); -}); - -test('completes observable when request reaches end state', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const next = jest.fn(); - const complete = jest.fn(); - observable.subscribe({ - next, - complete, - }); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '2'; - xhr.onprogress!({} as any); - - expect(complete).toHaveBeenCalledTimes(0); - - (xhr as any).readyState = 4; - (xhr as any).status = 200; - xhr.onreadystatechange!({} as any); - - expect(complete).toHaveBeenCalledTimes(1); -}); - -test('completes observable when aborted', () => { - const xhr = createXhr(); - const abortController = new AbortController(); - const observable = fromStreamingXhr(xhr, abortController.signal); - - const next = jest.fn(); - const complete = jest.fn(); - observable.subscribe({ - next, - complete, - }); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '2'; - xhr.onprogress!({} as any); - - expect(complete).toHaveBeenCalledTimes(0); - - (xhr as any).readyState = 2; - abortController.abort(); - - expect(complete).toHaveBeenCalledTimes(1); - - // Shouldn't trigger additional events - (xhr as any).readyState = 4; - (xhr as any).status = 200; - xhr.onreadystatechange!({} as any); - - expect(complete).toHaveBeenCalledTimes(1); -}); - -test('errors observable if request returns with error', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const next = jest.fn(); - const complete = jest.fn(); - const error = jest.fn(); - observable.subscribe({ - next, - complete, - error, - }); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '2'; - xhr.onprogress!({} as any); - - expect(complete).toHaveBeenCalledTimes(0); - - (xhr as any).readyState = 4; - (xhr as any).status = 400; - xhr.onreadystatechange!({} as any); - - expect(complete).toHaveBeenCalledTimes(0); - expect(error).toHaveBeenCalledTimes(1); - expect(error.mock.calls[0][0]).toBeInstanceOf(Error); - expect(error.mock.calls[0][0].message).toMatchInlineSnapshot( - `"Check your network connection and try again. Code 400"` - ); -}); - -test('does not emit when gets error response', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const next = jest.fn(); - const complete = jest.fn(); - const error = jest.fn(); - observable.subscribe({ - next, - complete, - error, - }); - - (xhr as any).responseText = 'error'; - (xhr as any).status = 400; - xhr.onprogress!({} as any); - - expect(next).toHaveBeenCalledTimes(0); - - (xhr as any).readyState = 4; - xhr.onreadystatechange!({} as any); - - expect(next).toHaveBeenCalledTimes(0); - expect(error).toHaveBeenCalledTimes(1); - expect(error.mock.calls[0][0]).toBeInstanceOf(Error); - expect(error.mock.calls[0][0].message).toMatchInlineSnapshot( - `"Check your network connection and try again. Code 400"` - ); -}); - -test('when .onprogress called multiple times with same text, does not create new observable events', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const spy = jest.fn(); - observable.subscribe(spy); - - expect(spy).toHaveBeenCalledTimes(0); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '1'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '12'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '12'; - xhr.onprogress!({} as any); - - (xhr as any).responseText = '123'; - xhr.onprogress!({} as any); - - expect(spy).toHaveBeenCalledTimes(3); - expect(spy.mock.calls[0][0]).toBe('1'); - expect(spy.mock.calls[1][0]).toBe('2'); - expect(spy.mock.calls[2][0]).toBe('3'); -}); - -test('generates new observable events on .onreadystatechange', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const spy = jest.fn(); - observable.subscribe(spy); - - expect(spy).toHaveBeenCalledTimes(0); - - (xhr as any).responseText = '{"foo":"bar"}'; - xhr.onreadystatechange!({} as any); - - (xhr as any).responseText = '{"foo":"bar"}\n'; - xhr.onreadystatechange!({} as any); - - (xhr as any).responseText = '{"foo":"bar"}\n123'; - xhr.onreadystatechange!({} as any); - - expect(spy).toHaveBeenCalledTimes(3); - expect(spy.mock.calls[0][0]).toBe('{"foo":"bar"}'); - expect(spy.mock.calls[1][0]).toBe('\n'); - expect(spy.mock.calls[2][0]).toBe('123'); -}); - -test('.onreadystatechange and .onprogress can be called in any order', () => { - const xhr = createXhr(); - const observable = fromStreamingXhr(xhr); - - const spy = jest.fn(); - observable.subscribe(spy); - - expect(spy).toHaveBeenCalledTimes(0); - - (xhr as any).responseText = '{"foo":"bar"}'; - xhr.onreadystatechange!({} as any); - xhr.onprogress!({} as any); - - (xhr as any).responseText = '{"foo":"bar"}\n'; - xhr.onprogress!({} as any); - xhr.onreadystatechange!({} as any); - - (xhr as any).responseText = '{"foo":"bar"}\n123'; - xhr.onreadystatechange!({} as any); - xhr.onprogress!({} as any); - xhr.onreadystatechange!({} as any); - xhr.onprogress!({} as any); - - expect(spy).toHaveBeenCalledTimes(3); - expect(spy.mock.calls[0][0]).toBe('{"foo":"bar"}'); - expect(spy.mock.calls[1][0]).toBe('\n'); - expect(spy.mock.calls[2][0]).toBe('123'); -}); diff --git a/src/plugins/bfetch/public/streaming/from_streaming_xhr.ts b/src/plugins/bfetch/public/streaming/from_streaming_xhr.ts deleted file mode 100644 index 9242d78c9fba2..0000000000000 --- a/src/plugins/bfetch/public/streaming/from_streaming_xhr.ts +++ /dev/null @@ -1,74 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { Observable, Subject } from 'rxjs'; -import { BfetchRequestError } from '@kbn/bfetch-error'; - -/** - * Creates observable from streaming XMLHttpRequest, where each event - * corresponds to a streamed chunk. - */ -export const fromStreamingXhr = ( - xhr: Pick< - XMLHttpRequest, - 'onprogress' | 'onreadystatechange' | 'readyState' | 'status' | 'responseText' | 'abort' - >, - signal?: AbortSignal -): Observable => { - const subject = new Subject(); - let index = 0; - let aborted = false; - - // 0 indicates a network failure. 400+ messages are considered server errors - const isErrorStatus = () => xhr.status === 0 || xhr.status >= 400; - - const processBatch = () => { - if (aborted) return; - if (isErrorStatus()) return; - - const { responseText } = xhr; - if (index >= responseText.length) return; - subject.next(responseText.substr(index)); - index = responseText.length; - }; - - xhr.onprogress = processBatch; - - const onBatchAbort = () => { - if (xhr.readyState !== 4) { - aborted = true; - xhr.abort(); - subject.complete(); - if (signal) signal.removeEventListener('abort', onBatchAbort); - } - }; - - if (signal) signal.addEventListener('abort', onBatchAbort); - - xhr.onreadystatechange = () => { - if (aborted) return; - // Older browsers don't support onprogress, so we need - // to call this here, too. It's safe to call this multiple - // times even for the same progress event. - processBatch(); - - // 4 is the magic number that means the request is done - if (xhr.readyState === 4) { - if (signal) signal.removeEventListener('abort', onBatchAbort); - - if (isErrorStatus()) { - subject.error(new BfetchRequestError(xhr.status)); - } else { - subject.complete(); - } - } - }; - - return subject; -}; diff --git a/src/plugins/bfetch/public/streaming/index.ts b/src/plugins/bfetch/public/streaming/index.ts deleted file mode 100644 index f0753584131c2..0000000000000 --- a/src/plugins/bfetch/public/streaming/index.ts +++ /dev/null @@ -1,13 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './split'; -export * from './from_streaming_xhr'; -export * from './fetch_streaming'; -export { inflateResponse } from './inflate_response'; diff --git a/src/plugins/bfetch/public/streaming/inflate_response.ts b/src/plugins/bfetch/public/streaming/inflate_response.ts deleted file mode 100644 index d374c471662ae..0000000000000 --- a/src/plugins/bfetch/public/streaming/inflate_response.ts +++ /dev/null @@ -1,17 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { unzlibSync, strFromU8 } from 'fflate'; -import { toByteArray } from 'base64-js'; - -export function inflateResponse(response: string) { - const buff = toByteArray(response); - const unzip = unzlibSync(buff); - return strFromU8(unzip); -} diff --git a/src/plugins/bfetch/public/streaming/split.test.ts b/src/plugins/bfetch/public/streaming/split.test.ts deleted file mode 100644 index 8b66c021a3cd9..0000000000000 --- a/src/plugins/bfetch/public/streaming/split.test.ts +++ /dev/null @@ -1,61 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { split } from './split'; -import { Subject } from 'rxjs'; - -test('splits a single IP address', () => { - const ip = '127.0.0.1'; - const list: string[] = []; - const subject = new Subject(); - const splitted = split('.')(subject); - - splitted.subscribe((value) => list.push(value)); - - subject.next(ip); - subject.complete(); - expect(list).toEqual(['127', '0', '0', '1']); -}); - -const streams = [ - 'adsf.asdf.asdf', - 'single.dot', - 'empty..split', - 'trailingdot.', - '.leadingdot', - '.', - '....', - 'no_delimiter', - '1.2.3.4.5', - '1.2.3.4.5.', - '.1.2.3.4.5.', - '.1.2.3.4.5', -]; - -for (const stream of streams) { - test(`splits stream by delimiter correctly "${stream}"`, () => { - const correctResult = stream.split('.').filter(Boolean); - - for (let j = 0; j < 100; j++) { - const list: string[] = []; - const subject = new Subject(); - const splitted = split('.')(subject); - splitted.subscribe((value) => list.push(value)); - let i = 0; - while (i < stream.length) { - const len = Math.round(Math.random() * 10); - const chunk = stream.substr(i, len); - subject.next(chunk); - i += len; - } - subject.complete(); - expect(list).toEqual(correctResult); - } - }); -} diff --git a/src/plugins/bfetch/public/streaming/split.ts b/src/plugins/bfetch/public/streaming/split.ts deleted file mode 100644 index ba35e43a87c74..0000000000000 --- a/src/plugins/bfetch/public/streaming/split.ts +++ /dev/null @@ -1,49 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { Observable, Subject } from 'rxjs'; -import { filter } from 'rxjs'; - -/** - * Receives observable that emits strings, and returns a new observable - * that also returns strings separated by delimiter. - * - * Input stream: - * - * asdf.f -> df..aaa. -> dfsdf - * - * Output stream, assuming "." is used as delimiter: - * - * asdf -> fdf -> aaa -> dfsdf - * - */ -export const split = - (delimiter: string = '\n') => - (in$: Observable): Observable => { - const out$ = new Subject(); - let startingText = ''; - - in$.subscribe( - (chunk) => { - const messages = (startingText + chunk).split(delimiter); - - // We don't want to send the last message here, since it may or - // may not be a partial message. - messages.slice(0, -1).forEach(out$.next.bind(out$)); - startingText = messages.length ? messages[messages.length - 1] : ''; - }, - out$.error.bind(out$), - () => { - out$.next(startingText); - out$.complete(); - } - ); - - return out$.pipe(filter(Boolean)); - }; diff --git a/src/plugins/bfetch/public/test_helpers/xhr.ts b/src/plugins/bfetch/public/test_helpers/xhr.ts deleted file mode 100644 index dcc521d2c7563..0000000000000 --- a/src/plugins/bfetch/public/test_helpers/xhr.ts +++ /dev/null @@ -1,69 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -/* eslint-disable max-classes-per-file */ - -export const mockXMLHttpRequest = (): { - xhr: XMLHttpRequest; - XMLHttpRequest: typeof window.XMLHttpRequest; -} => { - class MockXMLHttpRequest implements XMLHttpRequest { - // @ts-expect-error upgrade typescript v5.1.6 - DONE = 0; - // @ts-expect-error upgrade typescript v5.1.6 - HEADERS_RECEIVED = 0; - // @ts-expect-error upgrade typescript v5.1.6 - LOADING = 0; - // @ts-expect-error upgrade typescript v5.1.6 - OPENED = 0; - // @ts-expect-error upgrade typescript v5.1.6 - UNSENT = 0; - abort = jest.fn(); - addEventListener = jest.fn(); - dispatchEvent = jest.fn(); - getAllResponseHeaders = jest.fn(); - getResponseHeader = jest.fn(); - onabort = jest.fn(); - onerror = jest.fn(); - onload = jest.fn(); - onloadend = jest.fn(); - onloadstart = jest.fn(); - onprogress = jest.fn(); - onreadystatechange = jest.fn(); - ontimeout = jest.fn(); - open = jest.fn(); - overrideMimeType = jest.fn(); - readyState = 0; - removeEventListener = jest.fn(); - response = null; - responseText = ''; - responseType = null as any; - responseURL = ''; - responseXML = null; - send = jest.fn(); - setRequestHeader = jest.fn(); - status = 0; - statusText = ''; - timeout = 0; - upload = null as any; - withCredentials = false; - } - - const xhr = new MockXMLHttpRequest(); - - return { - // @ts-expect-error upgrade typescript v5.1.6 - xhr, - XMLHttpRequest: class { - constructor() { - return xhr; - } - } as any, - }; -}; diff --git a/src/plugins/bfetch/server/index.ts b/src/plugins/bfetch/server/index.ts deleted file mode 100644 index 368779a4ff7c6..0000000000000 --- a/src/plugins/bfetch/server/index.ts +++ /dev/null @@ -1,17 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { PluginInitializerContext } from '@kbn/core/server'; - -export type { BfetchServerSetup, BfetchServerStart, BatchProcessingRouteParams } from './plugin'; - -export async function plugin(initializerContext: PluginInitializerContext) { - const { BfetchServerPlugin } = await import('./plugin'); - return new BfetchServerPlugin(initializerContext); -} diff --git a/src/plugins/bfetch/server/mocks.ts b/src/plugins/bfetch/server/mocks.ts deleted file mode 100644 index 0c0af0369a2b5..0000000000000 --- a/src/plugins/bfetch/server/mocks.ts +++ /dev/null @@ -1,52 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { coreMock } from '@kbn/core/server/mocks'; -import { BfetchServerSetup, BfetchServerStart } from '.'; -import { plugin as pluginInitializer } from '.'; - -export type Setup = jest.Mocked; -export type Start = jest.Mocked; - -const createSetupContract = (): Setup => { - const setupContract: Setup = { - addBatchProcessingRoute: jest.fn(), - addStreamingResponseRoute: jest.fn(), - }; - return setupContract; -}; - -const createStartContract = (): Start => { - const startContract: Start = {}; - - return startContract; -}; - -const createPlugin = async () => { - const pluginInitializerContext = coreMock.createPluginInitializerContext(); - const coreSetup = coreMock.createSetup(); - const coreStart = coreMock.createStart(); - const plugin = await pluginInitializer(pluginInitializerContext); - const setup = await plugin.setup(coreSetup, {}); - - return { - pluginInitializerContext, - coreSetup, - coreStart, - plugin, - setup, - doStart: async () => await plugin.start(coreStart, {}), - }; -}; - -export const bfetchPluginMock = { - createSetupContract, - createStartContract, - createPlugin, -}; diff --git a/src/plugins/bfetch/server/plugin.ts b/src/plugins/bfetch/server/plugin.ts deleted file mode 100644 index 51ff8c0505026..0000000000000 --- a/src/plugins/bfetch/server/plugin.ts +++ /dev/null @@ -1,221 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { - CoreStart, - PluginInitializerContext, - CoreSetup, - Plugin, - Logger, - KibanaRequest, - StartServicesAccessor, - RequestHandlerContext, - RequestHandler, - KibanaResponseFactory, - AnalyticsServiceStart, - HttpProtocol, -} from '@kbn/core/server'; - -import { map$ } from '@kbn/std'; -import { schema } from '@kbn/config-schema'; -import { BFETCH_ROUTE_VERSION_LATEST } from '../common/constants'; -import { - StreamingResponseHandler, - BatchRequestData, - BatchResponseItem, - ErrorLike, - removeLeadingSlash, - normalizeError, -} from '../common'; -import { createStream } from './streaming'; -import { getUiSettings } from './ui_settings'; - -// eslint-disable-next-line @typescript-eslint/no-empty-interface -export interface BfetchServerSetupDependencies {} - -export interface BfetchServerStartDependencies { - analytics?: AnalyticsServiceStart; -} - -export interface BatchProcessingRouteParams { - onBatchItem: (data: BatchItemData) => Promise; -} - -/** @public */ -export interface BfetchServerSetup { - addBatchProcessingRoute: ( - path: string, - handler: (request: KibanaRequest) => BatchProcessingRouteParams - ) => void; - addStreamingResponseRoute: ( - path: string, - params: ( - request: KibanaRequest, - context: RequestHandlerContext - ) => StreamingResponseHandler, - method?: 'GET' | 'POST' | 'PUT' | 'DELETE', - pluginRouter?: ReturnType - ) => void; -} - -// eslint-disable-next-line @typescript-eslint/no-empty-interface -export interface BfetchServerStart {} - -const getStreamingHeaders = (protocol: HttpProtocol): Record => { - if (protocol === 'http2') { - return { - 'Content-Type': 'application/x-ndjson', - 'X-Accel-Buffering': 'no', - }; - } - return { - 'Content-Type': 'application/x-ndjson', - Connection: 'keep-alive', - 'Transfer-Encoding': 'chunked', - 'X-Accel-Buffering': 'no', - }; -}; - -interface Query { - compress: boolean; -} -export class BfetchServerPlugin - implements - Plugin< - BfetchServerSetup, - BfetchServerStart, - BfetchServerSetupDependencies, - BfetchServerStartDependencies - > -{ - private _analyticsService: AnalyticsServiceStart | undefined; - - constructor(private readonly initializerContext: PluginInitializerContext) {} - - public setup(core: CoreSetup, plugins: BfetchServerSetupDependencies): BfetchServerSetup { - const logger = this.initializerContext.logger.get(); - const router = core.http.createRouter(); - - core.uiSettings.register(getUiSettings()); - - const addStreamingResponseRoute = this.addStreamingResponseRoute({ - getStartServices: core.getStartServices, - router, - logger, - }); - const addBatchProcessingRoute = this.addBatchProcessingRoute(addStreamingResponseRoute); - - return { - addBatchProcessingRoute, - addStreamingResponseRoute, - }; - } - - public start(core: CoreStart, plugins: BfetchServerStartDependencies): BfetchServerStart { - this._analyticsService = core.analytics; - return {}; - } - - public stop() {} - - private addStreamingResponseRoute = - ({ - router, - logger, - }: { - getStartServices: StartServicesAccessor; - router: ReturnType; - logger: Logger; - }): BfetchServerSetup['addStreamingResponseRoute'] => - (path, handler, method = 'POST', pluginRouter) => { - const httpRouter = pluginRouter || router; - const routeDefinition = { - version: BFETCH_ROUTE_VERSION_LATEST, - validate: { - request: { - body: schema.any(), - query: schema.object({ compress: schema.boolean({ defaultValue: false }) }), - }, - }, - }; - - const routeHandler: RequestHandler = async ( - context: RequestHandlerContext, - request: KibanaRequest, - response: KibanaResponseFactory - ) => { - const handlerInstance = handler(request, context); - const data = request.body; - const compress = request.query.compress; - return response.ok({ - headers: getStreamingHeaders(request.protocol), - body: createStream( - handlerInstance.getResponseStream(data), - logger, - compress, - this._analyticsService - ), - }); - }; - - switch (method) { - case 'GET': - httpRouter.versioned - .get({ access: 'internal', path: `/${removeLeadingSlash(path)}` }) - .addVersion(routeDefinition, routeHandler); - break; - case 'POST': - httpRouter.versioned - .post({ access: 'internal', path: `/${removeLeadingSlash(path)}` }) - .addVersion(routeDefinition, routeHandler); - break; - case 'PUT': - httpRouter.versioned - .put({ access: 'internal', path: `/${removeLeadingSlash(path)}` }) - .addVersion(routeDefinition, routeHandler); - break; - case 'DELETE': - httpRouter.versioned - .delete({ access: 'internal', path: `/${removeLeadingSlash(path)}` }) - .addVersion(routeDefinition, routeHandler); - break; - default: - throw new Error(`Handler for method ${method} is not defined`); - } - }; - - private addBatchProcessingRoute = - ( - addStreamingResponseRoute: BfetchServerSetup['addStreamingResponseRoute'] - ): BfetchServerSetup['addBatchProcessingRoute'] => - ( - path: string, - handler: ( - request: KibanaRequest - ) => BatchProcessingRouteParams - ) => { - addStreamingResponseRoute< - BatchRequestData, - BatchResponseItem - >(path, (request) => { - const handlerInstance = handler(request); - return { - getResponseStream: ({ batch }) => - map$(batch, async (batchItem, id) => { - try { - const result = await handlerInstance.onBatchItem(batchItem); - return { id, result }; - } catch (error) { - return { id, error: normalizeError(error) }; - } - }), - }; - }); - }; -} diff --git a/src/plugins/bfetch/server/streaming/create_compressed_stream.ts b/src/plugins/bfetch/server/streaming/create_compressed_stream.ts deleted file mode 100644 index 2dfc290e40bb3..0000000000000 --- a/src/plugins/bfetch/server/streaming/create_compressed_stream.ts +++ /dev/null @@ -1,109 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { promisify } from 'util'; -import { Observable } from 'rxjs'; -import { catchError, concatMap, finalize } from 'rxjs'; -import { AnalyticsServiceStart, Logger } from '@kbn/core/server'; -import { Stream, PassThrough } from 'stream'; -import { constants, deflate } from 'zlib'; -import { reportPerformanceMetricEvent } from '@kbn/ebt-tools'; - -const delimiter = '\n'; -const pDeflate = promisify(deflate); - -const BFETCH_SERVER_ENCODING_EVENT_TYPE = 'bfetch_server_encoding'; - -class StreamMetricCollector { - private readonly _collector: number[] = []; - addMetric(time: number, messageSize: number) { - this._collector.push(time); - this._collector.push(messageSize); - } - getEBTPerformanceMetricEvent() { - let totalTime = 0; - let totalMessageSize = 0; - for (let i = 0; i < this._collector.length; i += 2) { - totalTime += this._collector[i]; - totalMessageSize += this._collector[i + 1]; - } - return { - eventName: BFETCH_SERVER_ENCODING_EVENT_TYPE, - duration: totalTime, - key1: 'message_count', - value1: this._collector.length / 2, - key2: 'total_byte_size', - value2: totalMessageSize, - key3: 'stream_type', - value3: 1, // 1 == 'compressed'. Can always include support for ndjson-type later (e.g. 2 == ndjson) - }; - } -} - -async function zipMessageToStream( - output: PassThrough, - message: string, - collector?: StreamMetricCollector -) { - return new Promise(async (resolve, reject) => { - try { - const before = performance.now(); - const gzipped = await pDeflate(message, { - flush: constants.Z_SYNC_FLUSH, - }); - const base64Compressed = gzipped.toString('base64'); - if (collector) { - // 1 ASCII character = 1 byte - collector.addMetric(performance.now() - before, base64Compressed.length); - } - output.write(base64Compressed); - output.write(delimiter); - resolve(undefined); - } catch (err) { - reject(err); - } - }); -} - -export const createCompressedStream = ( - results: Observable, - logger: Logger, - analyticsStart?: AnalyticsServiceStart -): Stream => { - const output = new PassThrough(); - const metricCollector: StreamMetricCollector | undefined = analyticsStart - ? new StreamMetricCollector() - : undefined; - - results - .pipe( - concatMap((message: Response) => { - const strMessage = JSON.stringify(message); - return zipMessageToStream(output, strMessage, metricCollector); - }), - catchError((e) => { - logger.error('Could not serialize or stream a message.'); - logger.error(e); - throw e; - }), - finalize(() => { - output.end(); - - if (analyticsStart && metricCollector) { - reportPerformanceMetricEvent( - analyticsStart, - metricCollector.getEBTPerformanceMetricEvent() - ); - } - }) - ) - .subscribe(); - - return output; -}; diff --git a/src/plugins/bfetch/server/streaming/create_ndjson_stream.ts b/src/plugins/bfetch/server/streaming/create_ndjson_stream.ts deleted file mode 100644 index d287f33f2c518..0000000000000 --- a/src/plugins/bfetch/server/streaming/create_ndjson_stream.ts +++ /dev/null @@ -1,40 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { Observable } from 'rxjs'; -import { Logger } from '@kbn/core/server'; -import { Stream, PassThrough } from 'stream'; - -const delimiter = '\n'; - -export const createNDJSONStream = ( - results: Observable, - logger: Logger -): Stream => { - const stream = new PassThrough(); - - results.subscribe({ - next: (message: Response) => { - try { - const line = JSON.stringify(message); - stream.write(`${line}${delimiter}`); - } catch (error) { - logger.error('Could not serialize or stream a message.'); - logger.error(error); - } - }, - error: (error) => { - stream.end(); - logger.error(error); - }, - complete: () => stream.end(), - }); - - return stream; -}; diff --git a/src/plugins/bfetch/server/streaming/create_stream.ts b/src/plugins/bfetch/server/streaming/create_stream.ts deleted file mode 100644 index bbbbba701756c..0000000000000 --- a/src/plugins/bfetch/server/streaming/create_stream.ts +++ /dev/null @@ -1,25 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { AnalyticsServiceStart, Logger } from '@kbn/core/server'; -import { Stream } from 'stream'; -import { Observable } from 'rxjs'; -import { createCompressedStream } from './create_compressed_stream'; -import { createNDJSONStream } from './create_ndjson_stream'; - -export function createStream( - response$: Observable, - logger: Logger, - compress: boolean, - analytics?: AnalyticsServiceStart -): Stream { - return compress - ? createCompressedStream(response$, logger, analytics) - : createNDJSONStream(response$, logger); -} diff --git a/src/plugins/bfetch/server/streaming/index.ts b/src/plugins/bfetch/server/streaming/index.ts deleted file mode 100644 index 26e34b219959f..0000000000000 --- a/src/plugins/bfetch/server/streaming/index.ts +++ /dev/null @@ -1,12 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export * from './create_ndjson_stream'; -export * from './create_compressed_stream'; -export * from './create_stream'; diff --git a/src/plugins/bfetch/server/ui_settings.ts b/src/plugins/bfetch/server/ui_settings.ts deleted file mode 100644 index 132dd19ef8b9c..0000000000000 --- a/src/plugins/bfetch/server/ui_settings.ts +++ /dev/null @@ -1,56 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { i18n } from '@kbn/i18n'; -import { UiSettingsParams } from '@kbn/core/server'; -import { schema } from '@kbn/config-schema'; -import { DISABLE_BFETCH_COMPRESSION, DISABLE_BFETCH } from '../common'; - -export function getUiSettings(): Record> { - return { - [DISABLE_BFETCH]: { - name: i18n.translate('bfetch.disableBfetch', { - defaultMessage: 'Disable request batching', - }), - value: true, - description: i18n.translate('bfetch.disableBfetchDesc', { - defaultMessage: - 'Disables requests batching. This increases number of HTTP requests from Kibana, but allows to debug requests individually.', - }), - schema: schema.boolean(), - deprecation: { - message: i18n.translate('bfetch.advancedSettings.disableBfetchDeprecation', { - defaultMessage: 'This setting is deprecated and will be removed in Kibana 9.0.', - }), - docLinksKey: 'generalSettings', - }, - category: [], - requiresPageReload: true, - }, - [DISABLE_BFETCH_COMPRESSION]: { - name: i18n.translate('bfetch.disableBfetchCompression', { - defaultMessage: 'Disable batch compression', - }), - value: false, - description: i18n.translate('bfetch.disableBfetchCompressionDesc', { - defaultMessage: - 'Disable batch compression. This allows you to debug individual requests, but increases response size.', - }), - schema: schema.boolean(), - deprecation: { - message: i18n.translate('bfetch.advancedSettings.disableBfetchCompressionDeprecation', { - defaultMessage: 'This setting is deprecated and will be removed in Kibana 9.0.', - }), - docLinksKey: 'generalSettings', - }, - category: [], - requiresPageReload: true, - }, - }; -} diff --git a/src/plugins/bfetch/tsconfig.json b/src/plugins/bfetch/tsconfig.json deleted file mode 100644 index d75e6085d4537..0000000000000 --- a/src/plugins/bfetch/tsconfig.json +++ /dev/null @@ -1,21 +0,0 @@ -{ - "extends": "../../../tsconfig.base.json", - "compilerOptions": { - "outDir": "target/types", - }, - "include": ["common/**/*", "public/**/*", "server/**/*", "index.ts"], - "kbn_references": [ - "@kbn/core", - "@kbn/kibana-utils-plugin", - "@kbn/i18n", - "@kbn/config-schema", - "@kbn/std", - "@kbn/core-http-common", - "@kbn/bfetch-error", - "@kbn/ebt-tools", - "@kbn/item-buffer", - ], - "exclude": [ - "target/**/*", - ] -} diff --git a/src/plugins/data/kibana.jsonc b/src/plugins/data/kibana.jsonc index 84e692c42648a..0491e87f994e7 100644 --- a/src/plugins/data/kibana.jsonc +++ b/src/plugins/data/kibana.jsonc @@ -18,7 +18,6 @@ "browser": true, "server": true, "requiredPlugins": [ - "bfetch", "expressions", "uiActions", "share", @@ -40,4 +39,4 @@ "common" ] } -} \ No newline at end of file +} diff --git a/src/plugins/data/public/search/search_service.test.ts b/src/plugins/data/public/search/search_service.test.ts index 503a8a1d7961d..5654475263242 100644 --- a/src/plugins/data/public/search/search_service.test.ts +++ b/src/plugins/data/public/search/search_service.test.ts @@ -7,7 +7,6 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { bfetchPluginMock } from '@kbn/bfetch-plugin/public/mocks'; import { CoreSetup, CoreStart } from '@kbn/core/public'; import { coreMock } from '@kbn/core/public/mocks'; import { DataViewsContract } from '@kbn/data-views-plugin/common'; @@ -38,10 +37,8 @@ describe('Search service', () => { describe('setup()', () => { it('exposes proper contract', async () => { - const bfetch = bfetchPluginMock.createSetupContract(); const setup = searchService.setup(mockCoreSetup, { packageInfo: { version: '8' }, - bfetch, expressions: { registerFunction: jest.fn(), registerType: jest.fn() }, management: managementPluginMock.createSetupContract(), } as unknown as SearchServiceSetupDependencies); @@ -55,10 +52,8 @@ describe('Search service', () => { describe('start()', () => { let data: ISearchStart; beforeEach(() => { - const bfetch = bfetchPluginMock.createSetupContract(); searchService.setup(mockCoreSetup, { packageInfo: { version: '8' }, - bfetch, expressions: { registerFunction: jest.fn(), registerType: jest.fn() }, management: managementPluginMock.createSetupContract(), } as unknown as SearchServiceSetupDependencies); diff --git a/src/plugins/data/public/types.ts b/src/plugins/data/public/types.ts index 6cd1878ac6fb8..2191f784c9c04 100644 --- a/src/plugins/data/public/types.ts +++ b/src/plugins/data/public/types.ts @@ -7,7 +7,6 @@ * License v3.0 only", or the "Server Side Public License, v 1". */ -import { BfetchPublicSetup } from '@kbn/bfetch-plugin/public'; import { ExpressionsSetup } from '@kbn/expressions-plugin/public'; import { DataViewsPublicPluginStart } from '@kbn/data-views-plugin/public'; import { UiActionsSetup, UiActionsStart } from '@kbn/ui-actions-plugin/public'; @@ -32,7 +31,6 @@ import { DataViewsContract } from './data_views'; import { NowProviderPublicContract } from './now_provider'; export interface DataSetupDependencies { - bfetch: BfetchPublicSetup; expressions: ExpressionsSetup; uiActions: UiActionsSetup; inspector: InspectorSetup; diff --git a/src/plugins/data/server/plugin.ts b/src/plugins/data/server/plugin.ts index b74bae5fb76e9..c18353960db57 100644 --- a/src/plugins/data/server/plugin.ts +++ b/src/plugins/data/server/plugin.ts @@ -9,7 +9,6 @@ import { CoreSetup, CoreStart, Logger, Plugin, PluginInitializerContext } from '@kbn/core/server'; import { ExpressionsServerSetup } from '@kbn/expressions-plugin/server'; -import { BfetchServerSetup } from '@kbn/bfetch-plugin/server'; import { PluginStart as DataViewsServerPluginStart } from '@kbn/data-views-plugin/server'; import { UsageCollectionSetup } from '@kbn/usage-collection-plugin/server'; import { FieldFormatsSetup, FieldFormatsStart } from '@kbn/field-formats-plugin/server'; @@ -47,7 +46,6 @@ export interface DataPluginStart { } export interface DataPluginSetupDependencies { - bfetch: BfetchServerSetup; expressions: ExpressionsServerSetup; usageCollection?: UsageCollectionSetup; fieldFormats: FieldFormatsSetup; @@ -85,7 +83,7 @@ export class DataServerPlugin public setup( core: CoreSetup, - { bfetch, expressions, usageCollection, fieldFormats }: DataPluginSetupDependencies + { expressions, usageCollection, fieldFormats }: DataPluginSetupDependencies ) { this.scriptsService.setup(core); const querySetup = this.queryService.setup(core); @@ -94,7 +92,6 @@ export class DataServerPlugin core.uiSettings.register(getUiSettings(core.docLinks, this.config.enableUiSettingsValidations)); const searchSetup = this.searchService.setup(core, { - bfetch, expressions, usageCollection, }); diff --git a/src/plugins/data/server/search/search_service.test.ts b/src/plugins/data/server/search/search_service.test.ts index 303d9a796ccca..5d26b9e3d3e78 100644 --- a/src/plugins/data/server/search/search_service.test.ts +++ b/src/plugins/data/server/search/search_service.test.ts @@ -16,7 +16,6 @@ import { createFieldFormatsStartMock } from '@kbn/field-formats-plugin/server/mo import { createIndexPatternsStartMock } from '../data_views/mocks'; import { SearchService, SearchServiceSetupDependencies } from './search_service'; -import { bfetchPluginMock } from '@kbn/bfetch-plugin/server/mocks'; import { lastValueFrom, of } from 'rxjs'; import type { @@ -68,10 +67,8 @@ describe('Search service', () => { describe('setup()', () => { it('exposes proper contract', async () => { - const bfetch = bfetchPluginMock.createSetupContract(); const setup = plugin.setup(mockCoreSetup, { packageInfo: { version: '8' }, - bfetch, expressions: { registerFunction: jest.fn(), registerType: jest.fn(), @@ -115,7 +112,6 @@ describe('Search service', () => { mockSessionClient = createSearchSessionsClientMock(); const pluginSetup = plugin.setup(mockCoreSetup, { - bfetch: bfetchPluginMock.createSetupContract(), expressions: expressionsPluginMock.createSetupContract(), }); pluginSetup.registerSearchStrategy(ENHANCED_ES_SEARCH_STRATEGY, mockStrategy); diff --git a/src/plugins/data/server/search/search_service.ts b/src/plugins/data/server/search/search_service.ts index f4d17f4f640e5..f52a94c8bf429 100644 --- a/src/plugins/data/server/search/search_service.ts +++ b/src/plugins/data/server/search/search_service.ts @@ -28,7 +28,6 @@ import type { IEsSearchRequest, IEsSearchResponse, } from '@kbn/search-types'; -import { BfetchServerSetup } from '@kbn/bfetch-plugin/server'; import { ExpressionsServerSetup } from '@kbn/expressions-plugin/server'; import { FieldFormatsStart } from '@kbn/field-formats-plugin/server'; import { UsageCollectionSetup } from '@kbn/usage-collection-plugin/server'; @@ -106,7 +105,6 @@ type StrategyMap = Record>; /** @internal */ export interface SearchServiceSetupDependencies { - bfetch: BfetchServerSetup; expressions: ExpressionsServerSetup; usageCollection?: UsageCollectionSetup; } @@ -145,7 +143,7 @@ export class SearchService implements Plugin { public setup( core: CoreSetup, - { bfetch, expressions, usageCollection }: SearchServiceSetupDependencies + { expressions, usageCollection }: SearchServiceSetupDependencies ): ISearchSetup { core.savedObjects.registerType(searchSessionSavedObjectType); const usage = usageCollection ? usageProvider(core) : undefined; diff --git a/src/plugins/data/tsconfig.json b/src/plugins/data/tsconfig.json index b1f06b761c0fb..8683afafceb47 100644 --- a/src/plugins/data/tsconfig.json +++ b/src/plugins/data/tsconfig.json @@ -14,7 +14,6 @@ ], "kbn_references": [ "@kbn/core", - "@kbn/bfetch-plugin", "@kbn/ui-actions-plugin", "@kbn/share-plugin", "@kbn/inspector-plugin", diff --git a/tsconfig.base.json b/tsconfig.base.json index 1ea36da2d4ba9..1d5ab8fa1a0f8 100644 --- a/tsconfig.base.json +++ b/tsconfig.base.json @@ -116,10 +116,6 @@ "@kbn/banners-plugin/*": ["x-pack/plugins/banners/*"], "@kbn/bazel-runner": ["packages/kbn-bazel-runner"], "@kbn/bazel-runner/*": ["packages/kbn-bazel-runner/*"], - "@kbn/bfetch-error": ["packages/kbn-bfetch-error"], - "@kbn/bfetch-error/*": ["packages/kbn-bfetch-error/*"], - "@kbn/bfetch-plugin": ["src/plugins/bfetch"], - "@kbn/bfetch-plugin/*": ["src/plugins/bfetch/*"], "@kbn/calculate-auto": ["packages/kbn-calculate-auto"], "@kbn/calculate-auto/*": ["packages/kbn-calculate-auto/*"], "@kbn/calculate-width-from-char-count": ["packages/kbn-calculate-width-from-char-count"], diff --git a/x-pack/solutions/observability/plugins/synthetics/kibana.jsonc b/x-pack/solutions/observability/plugins/synthetics/kibana.jsonc index 44d549843f469..eab5fa622d47a 100644 --- a/x-pack/solutions/observability/plugins/synthetics/kibana.jsonc +++ b/x-pack/solutions/observability/plugins/synthetics/kibana.jsonc @@ -38,7 +38,6 @@ "taskManager", "triggersActionsUi", "usageCollection", - "bfetch", "uiActions", "unifiedSearch", "presentationUtil" diff --git a/x-pack/solutions/observability/plugins/synthetics/server/types.ts b/x-pack/solutions/observability/plugins/synthetics/server/types.ts index 1a8016830c085..be8d18025209f 100644 --- a/x-pack/solutions/observability/plugins/synthetics/server/types.ts +++ b/x-pack/solutions/observability/plugins/synthetics/server/types.ts @@ -22,7 +22,6 @@ import { SharePluginSetup } from '@kbn/share-plugin/server'; import { ObservabilityPluginSetup } from '@kbn/observability-plugin/server'; import { UsageCollectionSetup } from '@kbn/usage-collection-plugin/server'; import { TelemetryPluginSetup, TelemetryPluginStart } from '@kbn/telemetry-plugin/server'; -import { BfetchServerSetup } from '@kbn/bfetch-plugin/server'; import { CloudSetup } from '@kbn/cloud-plugin/server'; import { SpacesPluginStart } from '@kbn/spaces-plugin/server'; import { SecurityPluginStart } from '@kbn/security-plugin/server'; @@ -75,7 +74,6 @@ export interface SyntheticsPluginsSetupDependencies { encryptedSavedObjects: EncryptedSavedObjectsPluginSetup; taskManager: TaskManagerSetupContract; telemetry: TelemetryPluginSetup; - bfetch: BfetchServerSetup; share: SharePluginSetup; } diff --git a/x-pack/solutions/observability/plugins/synthetics/tsconfig.json b/x-pack/solutions/observability/plugins/synthetics/tsconfig.json index 075ef1d3c6443..6ce7da00a3457 100644 --- a/x-pack/solutions/observability/plugins/synthetics/tsconfig.json +++ b/x-pack/solutions/observability/plugins/synthetics/tsconfig.json @@ -59,7 +59,6 @@ "@kbn/core-saved-objects-api-server", "@kbn/core-saved-objects-common", "@kbn/features-plugin", - "@kbn/bfetch-plugin", "@kbn/actions-plugin", "@kbn/core-elasticsearch-server", "@kbn/core-saved-objects-api-server-mocks", diff --git a/x-pack/solutions/observability/plugins/uptime/kibana.jsonc b/x-pack/solutions/observability/plugins/uptime/kibana.jsonc index 25fd311a81f81..95a2d7c37074a 100644 --- a/x-pack/solutions/observability/plugins/uptime/kibana.jsonc +++ b/x-pack/solutions/observability/plugins/uptime/kibana.jsonc @@ -38,7 +38,6 @@ "triggersActionsUi", "usageCollection", "unifiedSearch", - "bfetch", "charts" ], "optionalPlugins": [ diff --git a/x-pack/solutions/observability/plugins/uptime/server/legacy_uptime/lib/adapters/framework/adapter_types.ts b/x-pack/solutions/observability/plugins/uptime/server/legacy_uptime/lib/adapters/framework/adapter_types.ts index 9c20ff432aa7c..67fde1068fbbf 100644 --- a/x-pack/solutions/observability/plugins/uptime/server/legacy_uptime/lib/adapters/framework/adapter_types.ts +++ b/x-pack/solutions/observability/plugins/uptime/server/legacy_uptime/lib/adapters/framework/adapter_types.ts @@ -23,7 +23,6 @@ import { SecurityPluginStart } from '@kbn/security-plugin/server'; import { CloudSetup } from '@kbn/cloud-plugin/server'; import { SpacesPluginStart } from '@kbn/spaces-plugin/server'; import { FleetStartContract } from '@kbn/fleet-plugin/server'; -import { BfetchServerSetup } from '@kbn/bfetch-plugin/server'; import { SharePluginSetup } from '@kbn/share-plugin/server'; import { UptimeEsClient } from '../../lib'; import { UptimeConfig } from '../../../../../common/config'; @@ -59,7 +58,6 @@ export interface UptimeCorePluginsSetup { ruleRegistry: RuleRegistryPluginSetupContract; encryptedSavedObjects: EncryptedSavedObjectsPluginSetup; taskManager: TaskManagerSetupContract; - bfetch: BfetchServerSetup; share: SharePluginSetup; } diff --git a/x-pack/solutions/observability/plugins/uptime/tsconfig.json b/x-pack/solutions/observability/plugins/uptime/tsconfig.json index 75d0e1521db38..496ae1f398f2c 100644 --- a/x-pack/solutions/observability/plugins/uptime/tsconfig.json +++ b/x-pack/solutions/observability/plugins/uptime/tsconfig.json @@ -58,7 +58,6 @@ "@kbn/features-plugin", "@kbn/rule-registry-plugin", "@kbn/security-plugin", - "@kbn/bfetch-plugin", "@kbn/alerts-as-data-utils", "@kbn/std", "@kbn/utility-types", diff --git a/x-pack/test/api_integration/apis/maps/bsearch.ts b/x-pack/test/api_integration/apis/maps/bsearch.ts deleted file mode 100644 index c3161bdfdfa39..0000000000000 --- a/x-pack/test/api_integration/apis/maps/bsearch.ts +++ /dev/null @@ -1,113 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -import request from 'superagent'; -import { inflateResponse } from '@kbn/bfetch-plugin/public/streaming'; -import expect from '@kbn/expect'; -import { ELASTIC_HTTP_VERSION_HEADER } from '@kbn/core-http-common'; -import { BFETCH_ROUTE_VERSION_LATEST } from '@kbn/bfetch-plugin/common'; -import type { FtrProviderContext } from '../../ftr_provider_context'; - -function parseBfetchResponse(resp: request.Response, compressed: boolean = false) { - return resp.text - .trim() - .split('\n') - .map((item) => { - return JSON.parse(compressed ? inflateResponse(item) : item); - }); -} - -export default function ({ getService }: FtrProviderContext) { - const supertest = getService('supertest'); - - // Failing: See https://github.com/elastic/kibana/issues/194716 - describe.skip('bsearch', () => { - describe('ES|QL', () => { - it(`should return getColumns response in expected shape`, async () => { - const resp = await supertest - .post(`/internal/bsearch`) - .set('kbn-xsrf', 'kibana') - .set(ELASTIC_HTTP_VERSION_HEADER, BFETCH_ROUTE_VERSION_LATEST) - .send({ - batch: [ - { - request: { - params: { - query: 'from logstash-* | keep geo.coordinates | limit 0', - }, - }, - options: { - strategy: 'esql', - }, - }, - ], - }); - - const jsonBody = parseBfetchResponse(resp); - expect(resp.status).to.be(200); - expect(jsonBody[0].result.rawResponse).to.eql({ - columns: [ - { - name: 'geo.coordinates', - type: 'geo_point', - }, - ], - values: [], - }); - }); - - it(`should return getValues response in expected shape`, async () => { - const resp = await supertest - .post(`/internal/bsearch`) - .set('kbn-xsrf', 'kibana') - .set(ELASTIC_HTTP_VERSION_HEADER, BFETCH_ROUTE_VERSION_LATEST) - .send({ - batch: [ - { - request: { - params: { - dropNullColumns: true, - query: - 'from logstash-* | keep geo.coordinates, @timestamp | sort @timestamp | limit 1', - }, - }, - options: { - strategy: 'esql', - }, - }, - ], - }); - - const jsonBody = parseBfetchResponse(resp); - expect(resp.status).to.be(200); - expect(jsonBody[0].result.rawResponse).to.eql({ - all_columns: [ - { - name: 'geo.coordinates', - type: 'geo_point', - }, - { - name: '@timestamp', - type: 'date', - }, - ], - columns: [ - { - name: 'geo.coordinates', - type: 'geo_point', - }, - { - name: '@timestamp', - type: 'date', - }, - ], - values: [['POINT (-120.9871642 38.68407028)', '2015-09-20T00:00:00.000Z']], - }); - }); - }); - }); -} diff --git a/x-pack/test/api_integration/apis/maps/index.js b/x-pack/test/api_integration/apis/maps/index.js index 88c4f842a07bf..2ca2e5052ab57 100644 --- a/x-pack/test/api_integration/apis/maps/index.js +++ b/x-pack/test/api_integration/apis/maps/index.js @@ -38,7 +38,7 @@ export default function ({ loadTestFile, getService }) { loadTestFile(require.resolve('./migrations')); loadTestFile(require.resolve('./get_tile')); loadTestFile(require.resolve('./get_grid_tile')); - loadTestFile(require.resolve('./bsearch')); + loadTestFile(require.resolve('./search')); }); }); } diff --git a/x-pack/test/api_integration/apis/maps/search.ts b/x-pack/test/api_integration/apis/maps/search.ts new file mode 100644 index 0000000000000..757f8cc0b6f8c --- /dev/null +++ b/x-pack/test/api_integration/apis/maps/search.ts @@ -0,0 +1,84 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import expect from '@kbn/expect'; +import { ELASTIC_HTTP_VERSION_HEADER } from '@kbn/core-http-common'; +import { SEARCH_API_BASE_URL } from '@kbn/data-plugin/server/search/routes'; +import { ESQL_SEARCH_STRATEGY } from '@kbn/data-plugin/common'; +import type { FtrProviderContext } from '../../ftr_provider_context'; + +export default function ({ getService }: FtrProviderContext) { + const supertest = getService('supertest'); + + describe('search', () => { + describe('ES|QL', () => { + it(`should return getColumns response in expected shape`, async () => { + const resp = await supertest + .post(`${SEARCH_API_BASE_URL}/${ESQL_SEARCH_STRATEGY}`) + .set('kbn-xsrf', 'kibana') + .set(ELASTIC_HTTP_VERSION_HEADER, '1') + .send({ + params: { + query: 'from logstash-* | keep geo.coordinates | limit 0', + }, + }) + .expect(200); + + const { took, ...response } = resp.body.rawResponse; + expect(response).to.eql({ + columns: [ + { + name: 'geo.coordinates', + type: 'geo_point', + }, + ], + values: [], + }); + }); + + it(`should return getValues response in expected shape`, async () => { + const resp = await supertest + .post(`${SEARCH_API_BASE_URL}/${ESQL_SEARCH_STRATEGY}`) + .set('kbn-xsrf', 'kibana') + .set(ELASTIC_HTTP_VERSION_HEADER, '1') + .send({ + params: { + dropNullColumns: true, + query: + 'from logstash-* | keep geo.coordinates, @timestamp | sort @timestamp | limit 1', + }, + }) + .expect(200); + + const { took, ...response } = resp.body.rawResponse; + expect(response).to.eql({ + all_columns: [ + { + name: 'geo.coordinates', + type: 'geo_point', + }, + { + name: '@timestamp', + type: 'date', + }, + ], + columns: [ + { + name: 'geo.coordinates', + type: 'geo_point', + }, + { + name: '@timestamp', + type: 'date', + }, + ], + values: [['POINT (-120.9871642 38.68407028)', '2015-09-20T00:00:00.000Z']], + }); + }); + }); + }); +} diff --git a/x-pack/test/functional/apps/management/feature_controls/management_security.ts b/x-pack/test/functional/apps/management/feature_controls/management_security.ts index 286963b77d53b..9f73f5500cb4d 100644 --- a/x-pack/test/functional/apps/management/feature_controls/management_security.ts +++ b/x-pack/test/functional/apps/management/feature_controls/management_security.ts @@ -82,8 +82,8 @@ export default function ({ getPageObjects, getService }: FtrProviderContext) { sectionLinks: [ 'dataViews', 'filesManagement', - 'aiAssistantManagementSelection', 'objects', + 'aiAssistantManagementSelection', 'tags', 'search_sessions', 'spaces', diff --git a/x-pack/test/tsconfig.json b/x-pack/test/tsconfig.json index ce202abc9738a..381355a6439a6 100644 --- a/x-pack/test/tsconfig.json +++ b/x-pack/test/tsconfig.json @@ -130,7 +130,6 @@ "@kbn/telemetry-tools", "@kbn/profiling-plugin", "@kbn/observability-onboarding-plugin", - "@kbn/bfetch-plugin", "@kbn/uptime-plugin", "@kbn/ml-category-validator", "@kbn/observability-ai-assistant-plugin", diff --git a/yarn.lock b/yarn.lock index bf8c0d92dc79c..58329763b0fb5 100644 --- a/yarn.lock +++ b/yarn.lock @@ -4049,14 +4049,6 @@ version "0.0.0" uid "" -"@kbn/bfetch-error@link:packages/kbn-bfetch-error": - version "0.0.0" - uid "" - -"@kbn/bfetch-plugin@link:src/plugins/bfetch": - version "0.0.0" - uid "" - "@kbn/calculate-auto@link:packages/kbn-calculate-auto": version "0.0.0" uid "" From 0952f6e0f52771b3503c9ddd2afd793d8ed86709 Mon Sep 17 00:00:00 2001 From: Lukas Olson Date: Thu, 19 Dec 2024 14:55:29 -0700 Subject: [PATCH 22/31] Fix resolve index API to not throw 500 when encountering `no_such_remote_cluster_exception` (#204802) ## Summary Fixes https://github.com/elastic/kibana/issues/197747. Updates the `/internal/index-pattern-management/resolve_index/{query}` route to properly handle `no_such_remote_cluster_exception` and return `404` rather than `500` server error. Adds unit tests for the route handler. ### Checklist Check the PR satisfies following conditions. Reviewers should verify this PR satisfies this list as well. - [x] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios --------- Co-authored-by: Julia Rechkunova --- .../server/routes/resolve_index.test.ts | 243 ++++++++++++++++++ .../server/routes/resolve_index.ts | 4 +- .../data_views/resolve_index/resolve_index.ts | 10 +- 3 files changed, 255 insertions(+), 2 deletions(-) create mode 100644 src/plugins/data_view_management/server/routes/resolve_index.test.ts diff --git a/src/plugins/data_view_management/server/routes/resolve_index.test.ts b/src/plugins/data_view_management/server/routes/resolve_index.test.ts new file mode 100644 index 0000000000000..90894edff4880 --- /dev/null +++ b/src/plugins/data_view_management/server/routes/resolve_index.test.ts @@ -0,0 +1,243 @@ +/* + * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +import type { MockedKeys } from '@kbn/utility-types-jest'; +import { CoreSetup, RequestHandlerContext } from '@kbn/core/server'; +import { coreMock, httpServerMock } from '@kbn/core/server/mocks'; +import { registerResolveIndexRoute } from './resolve_index'; + +const mockResponseIndices = { + indices: [ + { + name: 'kibana_sample_data_logs', + attributes: ['open'], + }, + ], + aliases: [], + data_streams: [], +}; + +const mockResponseEmpty = { + indices: [], + aliases: [], + data_streams: [], +}; + +const mockError403 = { + meta: { + body: { + error: { + root_cause: [ + { + type: 'no_such_remote_cluster_exception', + reason: 'no such remote cluster: [cluster1]', + }, + ], + type: 'security_exception', + reason: + 'action [indices:admin/resolve/index] is unauthorized for user [elastic] with effective roles [superuser], this action is granted by the index privileges [view_index_metadata,manage,read,all]', + caused_by: { + type: 'no_such_remote_cluster_exception', + reason: 'no such remote cluster: [cluster1]', + }, + }, + status: 403, + }, + statusCode: 403, + }, +}; + +const mockError404 = { + meta: { + body: { + error: { + root_cause: [ + { + type: 'index_not_found_exception', + reason: 'no such index [asdf]', + 'resource.type': 'index_or_alias', + 'resource.id': 'asdf', + index_uuid: '_na_', + index: 'asdf', + }, + ], + type: 'index_not_found_exception', + reason: 'no such index [asdf]', + 'resource.type': 'index_or_alias', + 'resource.id': 'asdf', + index_uuid: '_na_', + index: 'asdf', + }, + status: 404, + }, + statusCode: 404, + }, +}; + +describe('resolve_index route', () => { + let mockCoreSetup: MockedKeys; + + beforeEach(() => { + mockCoreSetup = coreMock.createSetup(); + }); + + it('handler calls /_resolve/index with the given request', async () => { + const mockClient = { + indices: { + resolveIndex: jest.fn().mockResolvedValue(mockResponseIndices), + }, + }; + const mockContext = { + core: { + elasticsearch: { client: { asCurrentUser: mockClient } }, + }, + }; + const mockRequest = httpServerMock.createKibanaRequest({ + params: { + query: 'kibana_sample_data_logs', + }, + }); + const mockResponse = httpServerMock.createResponseFactory(); + + registerResolveIndexRoute(mockCoreSetup.http.createRouter()); + + const mockRouter = mockCoreSetup.http.createRouter.mock.results[0].value; + const handler = mockRouter.get.mock.calls[0][1]; + await handler(mockContext as unknown as RequestHandlerContext, mockRequest, mockResponse); + + expect(mockClient.indices.resolveIndex.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "expand_wildcards": "open", + "name": "kibana_sample_data_logs", + } + `); + + expect(mockResponse.ok).toBeCalled(); + expect(mockResponse.ok.mock.calls[0][0]).toEqual({ body: mockResponseIndices }); + }); + + it('should return 200 for a search for indices with wildcard', async () => { + const mockClient = { + indices: { + resolveIndex: jest.fn().mockResolvedValue(mockResponseEmpty), + }, + }; + const mockContext = { + core: { + elasticsearch: { client: { asCurrentUser: mockClient } }, + }, + }; + const mockRequest = httpServerMock.createKibanaRequest({ + params: { + query: 'asdf*', + }, + }); + const mockResponse = httpServerMock.createResponseFactory(); + + registerResolveIndexRoute(mockCoreSetup.http.createRouter()); + + const mockRouter = mockCoreSetup.http.createRouter.mock.results[0].value; + const handler = mockRouter.get.mock.calls[0][1]; + await handler(mockContext as unknown as RequestHandlerContext, mockRequest, mockResponse); + + expect(mockClient.indices.resolveIndex.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "expand_wildcards": "open", + "name": "asdf*", + } + `); + + expect(mockResponse.ok).toBeCalled(); + expect(mockResponse.ok.mock.calls[0][0]).toEqual({ body: mockResponseEmpty }); + }); + + it('returns 404 when hitting a 403 from Elasticsearch', async () => { + const mockClient = { + indices: { + resolveIndex: jest.fn().mockRejectedValue(mockError403), + }, + }; + const mockContext = { + core: { + elasticsearch: { client: { asCurrentUser: mockClient } }, + }, + }; + const mockRequest = httpServerMock.createKibanaRequest({ + params: { + query: 'cluster1:filebeat-*,cluster2:filebeat-*', + }, + }); + const mockResponse = httpServerMock.createResponseFactory(); + + registerResolveIndexRoute(mockCoreSetup.http.createRouter()); + + const mockRouter = mockCoreSetup.http.createRouter.mock.results[0].value; + const handler = mockRouter.get.mock.calls[0][1]; + + await handler(mockContext as unknown as RequestHandlerContext, mockRequest, mockResponse); + + expect(mockClient.indices.resolveIndex.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "expand_wildcards": "open", + "name": "cluster1:filebeat-*,cluster2:filebeat-*", + } + `); + + expect(mockResponse.notFound).toBeCalled(); + expect(mockResponse.notFound.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "body": Object { + "message": "action [indices:admin/resolve/index] is unauthorized for user [elastic] with effective roles [superuser], this action is granted by the index privileges [view_index_metadata,manage,read,all]", + }, + } + `); + }); + + it('returns 404 when hitting a 404 from Elasticsearch', async () => { + const mockClient = { + indices: { + resolveIndex: jest.fn().mockRejectedValue(mockError404), + }, + }; + const mockContext = { + core: { + elasticsearch: { client: { asCurrentUser: mockClient } }, + }, + }; + const mockRequest = httpServerMock.createKibanaRequest({ + params: { + query: 'asdf', + }, + }); + const mockResponse = httpServerMock.createResponseFactory(); + + registerResolveIndexRoute(mockCoreSetup.http.createRouter()); + + const mockRouter = mockCoreSetup.http.createRouter.mock.results[0].value; + const handler = mockRouter.get.mock.calls[0][1]; + + await handler(mockContext as unknown as RequestHandlerContext, mockRequest, mockResponse); + + expect(mockClient.indices.resolveIndex.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "expand_wildcards": "open", + "name": "asdf", + } + `); + + expect(mockResponse.notFound).toBeCalled(); + expect(mockResponse.notFound.mock.calls[0][0]).toMatchInlineSnapshot(` + Object { + "body": Object { + "message": "no such index [asdf]", + }, + } + `); + }); +}); diff --git a/src/plugins/data_view_management/server/routes/resolve_index.ts b/src/plugins/data_view_management/server/routes/resolve_index.ts index f51027e55f9ca..04e3865fd8592 100644 --- a/src/plugins/data_view_management/server/routes/resolve_index.ts +++ b/src/plugins/data_view_management/server/routes/resolve_index.ts @@ -47,7 +47,9 @@ export function registerResolveIndexRoute(router: IRouter): void { }); return res.ok({ body }); } catch (e) { - if (e?.meta.statusCode === 404) { + // 403: no_such_remote_cluster_exception + // 404: index_not_found_exception + if ([403, 404].includes(e?.meta.statusCode)) { return res.notFound({ body: { message: e.meta?.body?.error?.reason } }); } else { throw getKbnServerError(e); diff --git a/test/api_integration/apis/data_views/resolve_index/resolve_index.ts b/test/api_integration/apis/data_views/resolve_index/resolve_index.ts index cd13d23e80c1e..221b63b05fe8c 100644 --- a/test/api_integration/apis/data_views/resolve_index/resolve_index.ts +++ b/test/api_integration/apis/data_views/resolve_index/resolve_index.ts @@ -22,10 +22,18 @@ export default function ({ getService }: FtrProviderContext) { .set(X_ELASTIC_INTERNAL_ORIGIN_REQUEST, 'kibana') .expect(200)); - it('should return 404 for an exact match index', () => + it('should return 404 when no indices match', () => supertest .get(`/internal/index-pattern-management/resolve_index/test`) .set(X_ELASTIC_INTERNAL_ORIGIN_REQUEST, 'kibana') .expect(404)); + + it('should return 404 when cluster is not found', () => + supertest + .get( + `/internal/index-pattern-management/resolve_index/cluster1:filebeat-*,cluster2:filebeat-*` + ) + .set(X_ELASTIC_INTERNAL_ORIGIN_REQUEST, 'kibana') + .expect(404)); }); } From 223781cdd176c5197d718252fa9a20abcb23553d Mon Sep 17 00:00:00 2001 From: Gerard Soldevila Date: Thu, 19 Dec 2024 23:20:53 +0100 Subject: [PATCH 23/31] Sustainable Kibana Architecture: Move modules owned by `@elastic/obs-ux-logs-team` (#202831) ## Summary This PR aims at relocating some of the Kibana modules (plugins and packages) into a new folder structure, according to the _Sustainable Kibana Architecture_ initiative. > [!IMPORTANT] > * We kindly ask you to: > * Manually fix the errors in the error section below (if there are any). > * Search for the `packages[\/\\]` and `plugins[\/\\]` patterns in the source code (Babel and Eslint config files), and update them appropriately. > * Manually review `.buildkite/scripts/pipelines/pull_request/pipeline.ts` to ensure that any CI pipeline customizations continue to be correctly applied after the changed path names > * Review all of the updated files, specially the `.ts` and `.js` files listed in the sections below, as some of them contain relative paths that have been updated. > * Think of potential impact of the move, including tooling and configuration files that can be pointing to the relocated modules. E.g.: > * customised eslint rules > * docs pointing to source code > [!NOTE] > * This PR has been auto-generated. > * Any manual contributions will be lost if the 'relocate' script is re-run. > * Try to obtain the missing reviews / approvals before applying manual fixes, and/or keep your changes in a .patch / git stash. > * Please use [#sustainable_kibana_architecture](https://elastic.slack.com/archives/C07TCKTA22E) Slack channel for feedback. Are you trying to rebase this PR to solve merge conflicts? Please follow the steps describe [here](https://elastic.slack.com/archives/C07TCKTA22E/p1734019532879269?thread_ts=1734019339.935419&cid=C07TCKTA22E). #### 7 plugin(s) are going to be relocated: | Id | Target folder | | -- | ------------- | | `@kbn/data-quality-plugin` | `x-pack/solutions/observability/plugins/data_quality` | | `@kbn/dataset-quality-plugin` | `x-pack/solutions/observability/plugins/dataset_quality` | | `@kbn/fields-metadata-plugin` | `x-pack/platform/plugins/shared/fields_metadata` | | `@kbn/infra-plugin` | `x-pack/solutions/observability/plugins/infra` | | `@kbn/logs-explorer-plugin` | `x-pack/solutions/observability/plugins/logs_explorer` | | `@kbn/observability-logs-explorer-plugin` | `x-pack/solutions/observability/plugins/observability_logs_explorer` | | `@kbn/observability-onboarding-plugin` | `x-pack/solutions/observability/plugins/observability_onboarding` | #### 9 packages(s) are going to be relocated: | Id | Target folder | | -- | ------------- | | `@kbn/custom-icons` | `src/platform/packages/shared/kbn-custom-icons` | | `@kbn/custom-integrations` | `x-pack/solutions/observability/packages/kbn-custom-integrations` | | `@kbn/discover-contextual-components` | `src/platform/packages/shared/kbn-discover-contextual-components` | | `@kbn/elastic-agent-utils` | `src/platform/packages/shared/kbn-elastic-agent-utils` | | `@kbn/observability-logs-overview` | `x-pack/solutions/observability/packages/logs_overview` | | `@kbn/react-hooks` | `src/platform/packages/shared/kbn-react-hooks` | | `@kbn/router-utils` | `src/platform/packages/shared/kbn-router-utils` | | `@kbn/timerange` | `src/platform/packages/shared/kbn-timerange` | | `@kbn/xstate-utils` | `x-pack/solutions/observability/packages/kbn-xstate-utils` |
Updated references ``` ./.buildkite/ftr_oblt_stateful_configs.yml ./.buildkite/scripts/steps/functional/observability_onboarding_cypress.sh ./.eslintrc.js ./.i18nrc.json ./docs/developer/plugin-list.asciidoc ./oas_docs/overlays/alerting.overlays.yaml ./package.json ./packages/kbn-ebt-tools/BUILD.bazel ./packages/kbn-repo-packages/package-map.json ./packages/kbn-text-based-editor/tsconfig.type_check.json ./packages/kbn-ts-projects/config-paths.json ./src/dev/storybook/aliases.ts ./src/platform/packages/shared/kbn-custom-icons/jest.config.js ./src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js ./src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js ./src/platform/packages/shared/kbn-field-utils/tsconfig.type_check.json ./src/platform/packages/shared/kbn-react-hooks/jest.config.js ./src/platform/packages/shared/kbn-router-utils/jest.config.js ./src/platform/packages/shared/kbn-timerange/jest.config.js ./src/platform/packages/shared/kbn-unified-field-list/tsconfig.type_check.json ./src/platform/plugins/shared/discover/tsconfig.type_check.json ./src/platform/plugins/shared/esql/tsconfig.type_check.json ./src/platform/plugins/shared/unified_doc_viewer/tsconfig.type_check.json ./src/plugins/vis_types/timeseries/server/plugin.ts ./tsconfig.base.json ./tsconfig.base.type_check.json ./tsconfig.refs.json ./x-pack/.i18nrc.json ./x-pack/platform/plugins/shared/fields_metadata/jest.config.js ./x-pack/plugins/observability_solution/apm/tsconfig.type_check.json ./x-pack/plugins/observability_solution/infra/tsconfig.type_check.json ./x-pack/plugins/observability_solution/logs_shared/tsconfig.type_check.json ./x-pack/plugins/observability_solution/metrics_data_access/tsconfig.type_check.json ./x-pack/plugins/observability_solution/observability_logs_explorer/README.md ./x-pack/plugins/observability_solution/observability_onboarding/tsconfig.type_check.json ./x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js ./x-pack/solutions/observability/packages/kbn-xstate-utils/jest.config.js ./x-pack/solutions/observability/packages/logs_overview/jest.config.js ./x-pack/solutions/observability/plugins/data_quality/jest.config.js ./x-pack/solutions/observability/plugins/dataset_quality/README.md ./x-pack/solutions/observability/plugins/dataset_quality/jest.config.js ./x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json ./x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/chart_preview_data.ts ./x-pack/solutions/observability/plugins/infra/docs/telemetry/README.md ./x-pack/solutions/observability/plugins/infra/jest.config.js ./x-pack/solutions/observability/plugins/infra/public/plugin.ts ./x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json ./x-pack/solutions/observability/plugins/logs_explorer/jest.config.js ./x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json ./x-pack/solutions/observability/plugins/observability/public/utils/datemath.ts ./x-pack/solutions/observability/plugins/observability_logs_explorer/README.md ./x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js ./x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json ./x-pack/solutions/observability/plugins/observability_onboarding/e2e/README.md ./x-pack/solutions/observability/plugins/observability_onboarding/jest.config.js ./x-pack/test/tsconfig.type_check.json ./x-pack/test_serverless/tsconfig.type_check.json ./yarn.lock .github/CODEOWNERS ```
Updated relative paths ``` src/platform/packages/shared/kbn-custom-icons/jest.config.js:12 src/platform/packages/shared/kbn-custom-icons/tsconfig.json:2 src/platform/packages/shared/kbn-custom-icons/tsconfig.type_check.json:2 src/platform/packages/shared/kbn-custom-icons/tsconfig.type_check.json:26 src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js:12 src/platform/packages/shared/kbn-discover-contextual-components/tsconfig.json:2 src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js:12 src/platform/packages/shared/kbn-elastic-agent-utils/tsconfig.json:2 src/platform/packages/shared/kbn-elastic-agent-utils/tsconfig.type_check.json:2 src/platform/packages/shared/kbn-react-hooks/jest.config.js:12 src/platform/packages/shared/kbn-react-hooks/tsconfig.json:2 src/platform/packages/shared/kbn-react-hooks/tsconfig.type_check.json:2 src/platform/packages/shared/kbn-router-utils/jest.config.js:12 src/platform/packages/shared/kbn-router-utils/tsconfig.json:2 src/platform/packages/shared/kbn-router-utils/tsconfig.type_check.json:2 src/platform/packages/shared/kbn-timerange/jest.config.js:12 src/platform/packages/shared/kbn-timerange/tsconfig.json:2 src/platform/packages/shared/kbn-timerange/tsconfig.type_check.json:2 x-pack/platform/plugins/shared/fields_metadata/jest.config.js:10 x-pack/platform/plugins/shared/fields_metadata/tsconfig.json:2 x-pack/platform/plugins/shared/fields_metadata/tsconfig.json:7 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:2 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:20 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:23 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:26 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:29 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:32 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:35 x-pack/platform/plugins/shared/fields_metadata/tsconfig.type_check.json:9 x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js:12 x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.json:2 x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.type_check.json:2 x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.type_check.json:27 x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.type_check.json:30 x-pack/solutions/observability/packages/kbn-xstate-utils/jest.config.js:12 x-pack/solutions/observability/packages/kbn-xstate-utils/tsconfig.json:2 x-pack/solutions/observability/packages/kbn-xstate-utils/tsconfig.type_check.json:2 x-pack/solutions/observability/packages/logs_overview/jest.config.js:10 x-pack/solutions/observability/packages/logs_overview/tsconfig.json:2 x-pack/solutions/observability/plugins/data_quality/jest.config.js:10 x-pack/solutions/observability/plugins/data_quality/tsconfig.json:11 x-pack/solutions/observability/plugins/data_quality/tsconfig.json:2 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:13 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:20 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:26 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:29 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:32 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:35 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:38 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:41 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:44 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:47 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:50 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:53 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:59 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:62 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:65 x-pack/solutions/observability/plugins/data_quality/tsconfig.type_check.json:68 x-pack/solutions/observability/plugins/dataset_quality/jest.config.js:10 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.json:10 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.json:2 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:100 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:103 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:106 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:109 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:112 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:115 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:118 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:12 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:121 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:124 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:130 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:133 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:136 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:139 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:142 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:145 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:148 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:151 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:154 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:157 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:19 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:22 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:25 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:28 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:31 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:34 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:37 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:40 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:43 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:46 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:49 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:52 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:55 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:61 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:64 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:67 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:70 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:73 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:76 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:79 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:85 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:88 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:91 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:94 x-pack/solutions/observability/plugins/dataset_quality/tsconfig.type_check.json:97 x-pack/solutions/observability/plugins/infra/README.md:121 x-pack/solutions/observability/plugins/infra/README.md:29 x-pack/solutions/observability/plugins/infra/docs/telemetry/define_custom_events.md:18 x-pack/solutions/observability/plugins/infra/jest.config.js:10 x-pack/solutions/observability/plugins/infra/tsconfig.json:2 x-pack/solutions/observability/plugins/infra/tsconfig.json:7 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:101 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:104 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:107 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:110 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:113 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:116 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:119 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:122 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:125 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:128 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:131 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:134 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:137 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:140 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:143 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:146 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:149 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:152 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:155 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:158 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:161 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:164 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:167 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:170 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:173 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:182 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:185 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:188 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:191 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:194 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:20 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:200 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:203 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:209 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:212 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:215 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:218 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:221 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:227 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:23 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:230 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:236 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:239 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:242 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:245 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:248 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:251 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:254 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:257 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:26 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:260 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:263 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:266 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:269 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:272 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:275 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:278 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:281 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:284 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:287 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:29 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:290 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:293 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:296 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:299 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:305 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:308 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:311 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:314 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:32 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:35 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:38 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:41 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:44 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:47 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:50 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:53 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:56 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:62 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:65 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:68 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:71 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:74 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:77 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:80 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:83 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:86 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:89 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:9 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:92 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:95 x-pack/solutions/observability/plugins/infra/tsconfig.type_check.json:98 x-pack/solutions/observability/plugins/logs_explorer/jest.config.js:10 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json:2 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json:7 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:101 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:104 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:107 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:110 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:113 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:116 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:119 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:122 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:125 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:20 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:23 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:26 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:29 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:32 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:35 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:38 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:41 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:44 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:47 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:50 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:53 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:56 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:59 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:62 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:65 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:68 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:71 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:74 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:77 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:80 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:83 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:86 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:89 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:9 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:92 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:95 x-pack/solutions/observability/plugins/logs_explorer/tsconfig.type_check.json:98 x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js:10 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json:2 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json:7 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:104 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:107 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:110 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:113 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:116 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:119 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:125 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:128 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:131 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:20 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:23 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:26 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:29 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:32 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:35 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:38 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:41 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:44 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:47 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:50 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:53 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:56 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:68 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:71 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:74 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:77 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:80 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:83 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:86 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:89 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:9 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:92 x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.type_check.json:98 x-pack/solutions/observability/plugins/observability_onboarding/e2e/README.md:3 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.json:11 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.json:2 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.type_check.json:23 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.type_check.json:26 x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.type_check.json:29 x-pack/solutions/observability/plugins/observability_onboarding/jest.config.js:12 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.json:2 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.json:9 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:102 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:105 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:108 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:111 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:114 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:2 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:21 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:24 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:27 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:33 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:36 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:39 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:42 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:45 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:48 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:51 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:54 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:60 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:63 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:66 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:69 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:72 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:75 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:78 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:81 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:84 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:87 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:9 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:90 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:93 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:96 x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.type_check.json:99 ```
--------- Co-authored-by: Giorgos Bamparopoulos Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .buildkite/ftr_oblt_stateful_configs.yml | 6 +- .../observability_onboarding_cypress.sh | 2 +- .eslintrc.js | 2 +- .github/CODEOWNERS | 128 +++++++------- .i18nrc.json | 4 +- docs/developer/plugin-list.asciidoc | 18 +- oas_docs/overlays/alerting.overlays.yaml | 6 +- package.json | 38 ++-- .../kbn-custom-integrations/jest.config.js | 14 -- .../src/components/index.ts | 13 -- .../src/hooks/index.ts | 12 -- .../custom_integrations/defaults.ts | 14 -- .../custom_integrations/selectors.ts | 13 -- .../src/state_machines/index.ts | 12 -- packages/kbn-ebt-tools/BUILD.bazel | 2 +- packages/kbn-router-utils/jest.config.js | 14 -- .../lib/config/run_check_ftr_configs_cli.ts | 2 +- packages/kbn-timerange/jest.config.js | 14 -- src/dev/storybook/aliases.ts | 6 +- .../kbn-custom-icons/.storybook/main.js | 0 .../shared}/kbn-custom-icons/README.md | 0 .../kbn-custom-icons/assets/android.svg | 0 .../shared}/kbn-custom-icons/assets/cpp.svg | 0 .../kbn-custom-icons/assets/cpp_dark.svg | 0 .../kbn-custom-icons/assets/default.svg | 0 .../kbn-custom-icons/assets/dot_net.svg | 0 .../kbn-custom-icons/assets/erlang.svg | 0 .../kbn-custom-icons/assets/erlang_dark.svg | 0 .../kbn-custom-icons/assets/functions.svg | 0 .../shared}/kbn-custom-icons/assets/go.svg | 0 .../shared}/kbn-custom-icons/assets/ios.svg | 0 .../kbn-custom-icons/assets/ios_dark.svg | 0 .../shared}/kbn-custom-icons/assets/java.svg | 0 .../kbn-custom-icons/assets/lambda.svg | 0 .../kbn-custom-icons/assets/nodejs.svg | 0 .../shared}/kbn-custom-icons/assets/ocaml.svg | 0 .../kbn-custom-icons/assets/opentelemetry.svg | 0 .../kbn-custom-icons/assets/otel_default.svg | 0 .../shared}/kbn-custom-icons/assets/php.svg | 0 .../kbn-custom-icons/assets/php_dark.svg | 0 .../kbn-custom-icons/assets/python.svg | 0 .../shared}/kbn-custom-icons/assets/ruby.svg | 0 .../shared}/kbn-custom-icons/assets/rumjs.svg | 0 .../kbn-custom-icons/assets/rumjs_dark.svg | 0 .../shared}/kbn-custom-icons/assets/rust.svg | 0 .../kbn-custom-icons/assets/rust_dark.svg | 0 .../shared}/kbn-custom-icons/index.ts | 0 .../shared/kbn-custom-icons}/jest.config.js | 4 +- .../shared}/kbn-custom-icons/kibana.jsonc | 0 .../shared}/kbn-custom-icons/package.json | 0 .../agent_icon/agent_icon.stories.tsx | 0 .../agent_icon/get_agent_icon.test.ts | 0 .../components/agent_icon/get_agent_icon.ts | 0 .../agent_icon/get_serverless_icon.ts | 0 .../src/components/agent_icon/index.tsx | 0 .../cloud_provider_icon.stories.tsx | 0 .../get_cloud_provider_icon.ts | 0 .../components/cloud_provider_icon/index.tsx | 0 .../shared}/kbn-custom-icons/tsconfig.json | 2 +- .../README.md | 0 .../index.ts | 0 .../jest.config.js | 14 ++ .../kibana.jsonc | 0 .../package.json | 0 .../logs/components/cell_actions_popover.tsx | 0 .../src/data_types/logs/components/index.ts | 0 .../log_level_badge_cell.test.tsx | 0 .../log_level_badge_cell.tsx | 0 .../service_name_badge_with_actions.tsx | 0 .../components/summary_column/content.tsx | 0 .../logs/components/summary_column/index.ts | 0 .../components/summary_column/resource.tsx | 0 .../summary_column/summary_column.test.tsx | 0 .../summary_column/summary_column.tsx | 0 .../logs/components/summary_column/utils.tsx | 0 .../logs/components/translations.tsx | 0 .../src/index.ts | 0 .../tsconfig.json | 2 +- .../shared}/kbn-elastic-agent-utils/README.md | 0 .../shared}/kbn-elastic-agent-utils/index.ts | 0 .../kbn-elastic-agent-utils/jest.config.js | 14 ++ .../kbn-elastic-agent-utils/kibana.jsonc | 0 .../kbn-elastic-agent-utils/package.json | 0 .../src/agent_guards.test.ts | 0 .../src/agent_guards.ts | 0 .../src/agent_names.ts | 0 .../kbn-elastic-agent-utils/tsconfig.json | 2 +- .../shared}/kbn-react-hooks/README.md | 0 .../packages/shared}/kbn-react-hooks/index.ts | 0 .../shared/kbn-react-hooks}/jest.config.js | 4 +- .../shared}/kbn-react-hooks/kibana.jsonc | 0 .../shared}/kbn-react-hooks/package.json | 0 .../kbn-react-hooks/src/use_boolean/index.ts | 0 .../src/use_boolean/use_boolean.test.ts | 0 .../src/use_boolean/use_boolean.ts | 0 .../src/use_error_text_style/index.ts | 0 .../use_error_text_style.ts | 0 .../shared}/kbn-react-hooks/tsconfig.json | 2 +- .../shared}/kbn-router-utils/README.md | 0 .../shared}/kbn-router-utils/index.ts | 0 .../shared/kbn-router-utils}/jest.config.js | 4 +- .../shared}/kbn-router-utils/kibana.jsonc | 0 .../shared}/kbn-router-utils/package.json | 0 .../src/get_router_link_props/index.ts | 0 .../shared}/kbn-router-utils/tsconfig.json | 2 +- .../shared}/kbn-timerange/BUILD.bazel | 0 .../packages/shared}/kbn-timerange/README.md | 0 .../packages/shared}/kbn-timerange/index.ts | 0 .../shared/kbn-timerange}/jest.config.js | 4 +- .../shared}/kbn-timerange/kibana.jsonc | 0 .../shared}/kbn-timerange/package.json | 0 .../shared}/kbn-timerange/src/index.ts | 0 .../shared}/kbn-timerange/tsconfig.json | 2 +- .../shared}/kbn-xstate-utils/README.md | 0 .../shared}/kbn-xstate-utils/index.ts | 0 .../shared}/kbn-xstate-utils/jest.config.js | 4 +- .../shared}/kbn-xstate-utils/kibana.jsonc | 0 .../shared}/kbn-xstate-utils/package.json | 0 .../shared}/kbn-xstate-utils/src/actions.ts | 0 .../kbn-xstate-utils/src/console_inspector.ts | 0 .../shared}/kbn-xstate-utils/src/dev_tools.ts | 0 .../shared}/kbn-xstate-utils/src/index.ts | 0 .../src/notification_channel.ts | 0 .../shared}/kbn-xstate-utils/src/types.ts | 0 .../shared}/kbn-xstate-utils/tsconfig.json | 2 +- src/plugins/discover_shared/README.md | 2 +- .../vis_types/timeseries/server/plugin.ts | 2 +- tsconfig.base.json | 76 ++++---- x-pack/.i18nrc.json | 18 +- .../observability/logs_overview/README.md | 0 .../observability/logs_overview/index.ts | 0 .../logs_overview/jest.config.js | 4 +- .../observability/logs_overview/kibana.jsonc | 0 .../observability/logs_overview/package.json | 0 .../discover_link/discover_link.tsx | 0 .../src/components/discover_link/index.ts | 0 .../src/components/log_categories/index.ts | 0 .../log_categories/log_categories.tsx | 0 .../log_categories_control_bar.tsx | 0 .../log_categories_error_content.tsx | 0 .../log_categories/log_categories_grid.tsx | 0 .../log_categories_grid_cell.tsx | 0 .../log_categories_grid_change_time_cell.tsx | 0 .../log_categories_grid_change_type_cell.tsx | 0 .../log_categories_grid_control_columns.tsx | 0 .../log_categories_grid_count_cell.tsx | 0 .../log_categories_grid_expand_button.tsx | 0 .../log_categories_grid_histogram_cell.tsx | 0 .../log_categories_grid_pattern_cell.tsx | 0 .../log_categories_loading_content.tsx | 0 .../log_categories_result_content.tsx | 0 .../log_category_details_error_content.tsx | 0 .../log_category_details_flyout.tsx | 0 .../log_category_details_loading_content.tsx | 0 .../log_category_document_examples_table.tsx | 0 .../src/components/logs_overview/index.ts | 0 .../logs_overview/logs_overview.tsx | 0 .../logs_overview_error_content.tsx | 0 .../logs_overview_loading_content.tsx | 0 .../shared/log_category_pattern.tsx | 0 .../categorize_documents.ts | 0 .../categorize_logs_service.ts | 0 .../count_documents.ts | 0 .../services/categorize_logs_service/index.ts | 0 .../categorize_logs_service/queries.ts | 0 .../services/categorize_logs_service/types.ts | 0 .../category_details_service.ts | 0 .../category_details_service/index.ts | 0 .../category_details_service/types.ts | 0 .../observability/logs_overview/src/types.ts | 0 .../logs_overview/src/utils/log_category.ts | 0 .../logs_overview/src/utils/logs_source.ts | 0 .../logs_overview/src/utils/xstate5_utils.ts | 0 .../observability/logs_overview/tsconfig.json | 2 +- .../plugins/shared}/data_quality/README.md | 0 .../shared}/data_quality/common/index.ts | 0 ...ct_dataset_quality_details_locator_path.ts | 0 .../construct_dataset_quality_locator_path.ts | 0 .../dataset_quality_details_locator.ts | 0 .../locators/dataset_quality_locator.ts | 0 .../data_quality/common/locators/index.ts | 0 .../common/locators/locators.test.ts | 0 .../data_quality/common/locators/types.ts | 0 .../data_quality/common/url_schema/common.ts | 0 .../dataset_quality_details_url_schema_v1.ts | 0 .../dataset_quality_url_schema_v1.ts | 0 .../data_quality/common/url_schema/index.ts | 0 .../common/utils/deep_compact_object.ts | 0 .../shared}/data_quality/jest.config.js | 7 +- .../plugins/shared}/data_quality/kibana.jsonc | 0 .../data_quality/public/application.tsx | 0 .../shared}/data_quality/public/index.ts | 0 .../shared}/data_quality/public/plugin.ts | 0 .../public/routes/dataset_quality/context.tsx | 0 .../public/routes/dataset_quality/index.tsx | 0 .../routes/dataset_quality/url_schema_v1.ts | 0 .../url_state_storage_service.ts | 0 .../dataset_quality_details/context.tsx | 0 .../routes/dataset_quality_details/index.tsx | 0 .../dataset_quality_details/url_schema_v1.ts | 0 .../url_state_storage_service.ts | 0 .../data_quality/public/routes/index.tsx | 0 .../shared}/data_quality/public/types.ts | 0 .../public/utils/kbn_url_state_context.ts | 0 .../public/utils/use_breadcrumbs.tsx | 0 .../data_quality/public/utils/use_kibana.tsx | 0 .../shared}/data_quality/server/features.ts | 0 .../shared}/data_quality/server/index.ts | 0 .../shared}/data_quality/server/plugin.ts | 0 .../shared}/data_quality/server/types.ts | 0 .../shared}/data_quality/tsconfig.json | 4 +- .../plugins/shared}/dataset_quality/README.md | 10 +- .../dataset_quality/common/api_types.ts | 0 .../dataset_quality/common/constants.ts | 0 .../common/data_stream_details/index.ts | 0 .../common/data_stream_details/types.ts | 0 .../data_streams_stats/data_stream_stat.ts | 0 .../common/data_streams_stats/index.ts | 0 .../common/data_streams_stats/integration.ts | 0 .../common/data_streams_stats/types.ts | 0 .../shared}/dataset_quality/common/errors.ts | 0 .../dataset_quality/common/es_fields/index.ts | 0 .../dataset_quality/common/fetch_options.ts | 0 .../shared}/dataset_quality/common/index.ts | 0 .../dataset_quality/common/plugin_config.ts | 0 .../dataset_quality/common/rest/call_api.ts | 0 .../rest/create_call_dataset_quality_api.ts | 0 .../dataset_quality/common/rest/index.ts | 0 .../dataset_quality/common/translations.ts | 0 .../dataset_quality/common/types/common.ts | 0 .../common/types/dataset_types.ts | 0 .../dataset_quality/common/types/index.ts | 0 .../common/types/quality_types.ts | 0 .../common/utils/component_template_name.ts | 0 .../common/utils/dataset_name.test.ts | 0 .../common/utils/dataset_name.ts | 0 .../dataset_quality/common/utils/index.ts | 0 .../common/utils/quality_helpers.ts | 0 .../shared/dataset_quality}/jest.config.js | 8 +- .../shared}/dataset_quality/kibana.jsonc | 0 .../components/common/descriptive_switch.tsx | 0 .../public/components/common/index.ts | 0 .../common/insufficient_privileges.tsx | 0 .../components/common/integration_icon.tsx | 0 .../public/components/common/spark_plot.tsx | 0 .../components/common/vertical_rule.tsx | 0 .../components/dataset_quality/context.ts | 0 .../dataset_quality/dataset_quality.tsx | 0 .../empty_state/empty_state.tsx | 0 .../dataset_quality/filters/filter_bar.tsx | 0 .../dataset_quality/filters/filters.tsx | 0 .../filters/integrations_selector.tsx | 0 .../filters/namespaces_selector.tsx | 0 .../filters/qualities_selector.tsx | 0 .../dataset_quality/filters/selector.tsx | 0 .../components/dataset_quality/header.tsx | 0 .../components/dataset_quality/index.tsx | 0 .../summary_panel/data_placeholder.tsx | 0 .../summary_panel/datasets_activity.tsx | 0 .../datasets_quality_indicators.tsx | 0 .../summary_panel/estimated_data.tsx | 0 .../summary_panel/summary_panel.tsx | 0 .../dataset_quality/table/columns.tsx | 0 .../dataset_quality_details_link.test.tsx | 0 .../table/dataset_quality_details_link.tsx | 0 .../table/degraded_docs_percentage_link.tsx | 0 .../dataset_quality/table/table.tsx | 0 .../dataset_quality/warnings/warnings.tsx | 0 .../dataset_quality_details/context.ts | 0 .../dataset_quality_details.tsx | 0 .../degraded_field_flyout/field_info.tsx | 0 .../degraded_field_flyout/index.tsx | 0 .../field_limit_documentation_link.tsx | 0 .../field_limit/field_mapping_limit.tsx | 0 .../increase_field_mapping_limit.tsx | 0 .../field_limit/message_callout.tsx | 0 .../possible_mitigations/index.tsx | 0 .../manual/component_template_link.tsx | 0 .../possible_mitigations/manual/index.tsx | 0 .../manual/pipeline_link.tsx | 0 .../possible_mitigations/title.tsx | 0 .../details/dataset_summary.tsx | 0 .../details/fields_list.tsx | 0 .../details/header.tsx | 0 .../dataset_quality_details/details/index.tsx | 0 .../details/integration_actions_menu.tsx | 0 .../dataset_quality_details/header.tsx | 0 .../dataset_quality_details/index.tsx | 0 .../index_not_found_prompt.tsx | 0 .../overview/aggregation_not_supported.tsx | 0 .../overview/degraded_fields/columns.tsx | 0 .../degraded_fields/degraded_fields.tsx | 0 .../overview/degraded_fields/index.ts | 0 .../overview/degraded_fields/table.tsx | 0 .../degraded_docs/degraded_docs_chart.tsx | 0 .../document_trends/degraded_docs/index.tsx | 0 .../degraded_docs/lens_attributes.ts | 0 .../overview/header.tsx | 0 .../overview/index.tsx | 0 .../overview/summary/index.tsx | 0 .../overview/summary/panel.tsx | 0 .../dataset_quality_indicator.tsx | 0 .../components/quality_indicator/helpers.ts | 0 .../components/quality_indicator/index.ts | 0 .../quality_indicator/indicator.tsx | 0 .../percentage_indicator.tsx | 0 .../dataset_quality/create_controller.ts | 0 .../controller/dataset_quality/index.ts | 0 .../dataset_quality/lazy_create_controller.ts | 0 .../dataset_quality/public_state.ts | 0 .../controller/dataset_quality/types.ts | 0 .../create_controller.ts | 0 .../dataset_quality_details/index.ts | 0 .../lazy_create_controller.ts | 0 .../dataset_quality_details/public_state.ts | 0 .../dataset_quality_details/types.ts | 0 .../dataset_quality/public/hooks/index.ts | 0 .../public/hooks/use_create_dataview.ts | 0 .../hooks/use_dataset_details_telemetry.ts | 0 .../use_dataset_quality_details_state.ts | 0 .../hooks/use_dataset_quality_filters.ts | 0 .../hooks/use_dataset_quality_table.tsx | 0 .../hooks/use_dataset_quality_warnings.ts | 0 .../public/hooks/use_dataset_telemetry.ts | 0 .../public/hooks/use_degraded_docs_chart.ts | 0 .../public/hooks/use_degraded_fields.ts | 0 .../public/hooks/use_empty_state.ts | 0 .../public/hooks/use_integration_actions.ts | 0 .../hooks/use_overview_summary_panel.ts | 0 .../public/hooks/use_redirect_link.ts | 0 .../hooks/use_redirect_link_telemetry.ts | 0 .../public/hooks/use_summary_panel.ts | 0 .../dataset_quality/public/icons/logging.svg | 0 .../shared}/dataset_quality/public/index.ts | 0 .../shared}/dataset_quality/public/plugin.tsx | 0 .../data_stream_details_client.ts | 0 .../data_stream_details_service.ts | 0 .../services/data_stream_details/index.ts | 0 .../services/data_stream_details/types.ts | 0 .../data_streams_stats_client.ts | 0 .../data_streams_stats_service.ts | 0 .../services/data_streams_stats/index.ts | 0 .../services/data_streams_stats/types.ts | 0 .../public/services/telemetry/index.ts | 0 .../services/telemetry/telemetry_client.ts | 0 .../services/telemetry/telemetry_events.ts | 0 .../telemetry/telemetry_service.test.ts | 0 .../services/telemetry/telemetry_service.ts | 0 .../public/services/telemetry/types.ts | 0 .../state_machines/common/notifications.ts | 0 .../dataset_quality_controller/index.ts | 0 .../src/defaults.ts | 0 .../dataset_quality_controller/src/index.ts | 0 .../src/notifications.ts | 0 .../src/state_machine.ts | 0 .../dataset_quality_controller/src/types.ts | 0 .../defaults.ts | 0 .../index.ts | 0 .../notifications.ts | 0 .../state_machine.ts | 0 .../types.ts | 0 .../shared}/dataset_quality/public/types.ts | 0 .../public/utils/filter_inactive_datasets.ts | 0 .../public/utils/flatten_stats.ts | 0 .../public/utils/generate_datasets.test.ts | 0 .../public/utils/generate_datasets.ts | 0 .../dataset_quality/public/utils/index.ts | 0 .../public/utils/use_kibana.tsx | 0 .../public/utils/use_quick_time_ranges.tsx | 0 .../shared}/dataset_quality/scripts/api.js | 0 .../shared}/dataset_quality/server/index.ts | 0 .../shared}/dataset_quality/server/plugin.ts | 0 .../create_datasets_quality_server_route.ts | 0 .../check_and_load_integration/index.ts | 0 .../validate_custom_component_template.ts | 0 .../get_data_stream_details/index.ts | 0 .../get_data_streams/get_data_streams.test.ts | 0 .../data_streams/get_data_streams/index.ts | 0 .../get_data_streams_metering_stats/index.ts | 0 .../get_data_streams_stats/index.ts | 0 ...et_dataset_aggregated_paginated_results.ts | 0 .../get_datastream_created_on.ts | 0 .../get_datastream_settings/index.ts | 0 .../routes/data_streams/get_degraded_docs.ts | 0 .../get_datastream_mappings.ts | 0 .../get_datastream_settings.ts | 0 .../get_degraded_field_analysis/index.ts | 0 .../get_degraded_field_values/index.ts | 0 .../get_degraded_fields/get_interval.ts | 0 .../data_streams/get_degraded_fields/index.ts | 0 .../get_non_aggregatable_data_streams.ts | 0 .../server/routes/data_streams/routes.ts | 0 .../data_streams/update_field_limit/index.ts | 0 .../update_component_template.ts | 0 .../update_settings_last_backing_index.ts | 0 .../dataset_quality/server/routes/index.ts | 0 .../get_integration_dashboards.ts | 0 .../routes/integrations/get_integrations.ts | 0 .../server/routes/integrations/routes.ts | 0 .../server/routes/register_routes.ts | 0 .../dataset_quality/server/routes/types.ts | 0 .../server/services/data_stream.ts | 0 .../services/data_telemetry/constants.ts | 0 .../data_telemetry_service.test.ts | 0 .../data_telemetry/data_telemetry_service.ts | 0 .../server/services/data_telemetry/helpers.ts | 0 .../data_telemetry/register_collector.ts | 0 .../server/services/data_telemetry/types.ts | 0 .../dataset_quality/server/services/index.ts | 0 .../server/services/index_stats.ts | 0 .../server/services/privileges.ts | 0 .../authentication.ts | 0 .../helpers/call_kibana.ts | 0 .../helpers/create_custom_role.ts | 0 .../helpers/create_or_update_user.ts | 0 .../create_dataset_quality_users/index.ts | 0 .../shared}/dataset_quality/server/types.ts | 0 .../server/types/default_api_types.ts | 0 .../utils/create_dataset_quality_es_client.ts | 0 .../dataset_quality/server/utils/index.ts | 0 .../dataset_quality/server/utils/queries.ts | 0 .../server/utils/reduce_async_chunks.test.ts | 0 .../server/utils/reduce_async_chunks.ts | 0 .../server/utils/to_boolean.ts | 0 .../shared}/dataset_quality/tsconfig.json | 4 +- .../plugins/shared}/fields_metadata/README.md | 0 .../common/fields_metadata/common.ts | 0 .../common/fields_metadata/errors.ts | 0 .../common/fields_metadata/index.ts | 0 .../fields_metadata/models/field_metadata.ts | 0 .../models/fields_metadata_dictionary.ts | 0 .../common/fields_metadata/types.ts | 0 .../v1/find_fields_metadata.ts | 0 .../common/fields_metadata/v1/index.ts | 0 .../fields_metadata/common/hashed_cache.ts | 0 .../shared}/fields_metadata/common/index.ts | 0 .../shared}/fields_metadata/common/latest.ts | 0 .../fields_metadata/common/metadata_fields.ts | 0 .../fields_metadata/common/runtime_types.ts | 0 .../shared/fields_metadata}/jest.config.js | 8 +- .../shared}/fields_metadata/kibana.jsonc | 0 .../public/hooks/use_fields_metadata/index.ts | 0 .../use_fields_metadata.mock.ts | 0 .../use_fields_metadata.test.ts | 0 .../use_fields_metadata.ts | 0 .../shared}/fields_metadata/public/index.ts | 0 .../shared}/fields_metadata/public/mocks.tsx | 0 .../shared}/fields_metadata/public/plugin.ts | 0 .../fields_metadata_client.mock.ts | 0 .../fields_metadata/fields_metadata_client.ts | 0 .../fields_metadata_service.mock.ts | 0 .../fields_metadata_service.ts | 0 .../public/services/fields_metadata/index.ts | 0 .../public/services/fields_metadata/types.ts | 0 .../shared}/fields_metadata/public/types.ts | 0 .../server/fields_metadata_server.ts | 0 .../shared}/fields_metadata/server/index.ts | 0 .../server/lib/shared_types.ts | 0 .../shared}/fields_metadata/server/mocks.ts | 0 .../shared}/fields_metadata/server/plugin.ts | 0 .../fields_metadata/find_fields_metadata.ts | 0 .../server/routes/fields_metadata/index.ts | 0 .../server/services/fields_metadata/errors.ts | 0 .../fields_metadata_client.mock.ts | 0 .../fields_metadata_client.test.ts | 0 .../fields_metadata/fields_metadata_client.ts | 0 .../fields_metadata_service.mock.ts | 0 .../fields_metadata_service.ts | 0 .../server/services/fields_metadata/index.ts | 0 .../repositories/ecs_fields_repository.ts | 0 .../integration_fields_repository.ts | 0 .../metadata_fields_repository.ts | 0 .../fields_metadata/repositories/types.ts | 0 .../server/services/fields_metadata/types.ts | 0 .../shared}/fields_metadata/server/types.ts | 0 .../shared}/fields_metadata/tsconfig.json | 4 +- .../shared}/logs_data_access/README.md | 0 .../logs_data_access/common/constants.ts | 0 .../log_sources_service.mocks.ts | 0 .../services/log_sources_service/types.ts | 0 .../services/log_sources_service/utils.ts | 0 .../shared}/logs_data_access/common/types.ts | 0 .../logs_data_access/common/ui_settings.ts | 0 .../shared}/logs_data_access/jest.config.js | 4 +- .../shared}/logs_data_access/kibana.jsonc | 0 .../components/logs_sources_setting.tsx | 0 .../public/hooks/use_log_sources.ts | 0 .../shared}/logs_data_access/public/index.ts | 0 .../shared}/logs_data_access/public/plugin.ts | 0 .../services/log_sources_service/index.ts | 0 .../public/services/register_services.ts | 0 .../shared}/logs_data_access/public/types.ts | 0 .../logs_data_access/server/es_fields.ts | 0 .../shared}/logs_data_access/server/index.ts | 0 .../shared}/logs_data_access/server/plugin.ts | 0 .../get_logs_error_rate_timeseries.ts | 0 .../get_logs_rate_timeseries.ts | 0 .../services/get_logs_rates_service/index.ts | 0 .../services/log_sources_service/index.ts | 0 .../server/services/register_services.ts | 0 .../shared}/logs_data_access/server/types.ts | 0 .../server/utils/es_queries.ts | 0 .../logs_data_access/server/utils/index.ts | 0 .../server/utils/utils.test.ts | 0 .../shared}/logs_data_access/tsconfig.json | 2 +- .../plugins/shared}/logs_shared/README.md | 0 .../shared}/logs_shared/common/constants.ts | 0 .../common/formatters/datetime.ts | 0 .../common/http_api/deprecations/index.ts | 0 .../logs_shared/common/http_api/index.ts | 0 .../logs_shared/common/http_api/latest.ts | 0 .../http_api/log_entries/v1/highlights.ts | 0 .../common/http_api/log_entries/v1/index.ts | 0 .../common/http_api/log_entries/v1/summary.ts | 0 .../log_entries/v1/summary_highlights.ts | 0 .../common/http_api/log_views/common.ts | 0 .../common/http_api/log_views/index.ts | 0 .../http_api/log_views/v1/get_log_view.ts | 0 .../common/http_api/log_views/v1/index.ts | 0 .../http_api/log_views/v1/put_log_view.ts | 0 .../shared}/logs_shared/common/index.ts | 1 - .../common/locators/get_logs_locators.ts | 0 .../logs_shared/common/locators/helpers.ts | 0 .../logs_shared/common/locators/index.ts | 0 .../common/locators/logs_locator.ts | 0 .../common/locators/node_logs_locator.ts | 0 .../common/locators}/time_range.ts | 0 .../common/locators/trace_logs_locator.ts | 0 .../logs_shared/common/locators/types.ts | 0 .../logs_shared/common/log_entry/index.ts | 0 .../logs_shared/common/log_entry/log_entry.ts | 0 .../common/log_entry/log_entry_cursor.ts | 0 .../common/log_text_scale/index.ts | 0 .../common/log_text_scale/log_text_scale.ts | 0 .../logs_shared/common/log_views/defaults.ts | 0 .../logs_shared/common/log_views/errors.ts | 0 .../logs_shared/common/log_views/index.ts | 0 .../common/log_views/log_view.mock.ts | 0 .../log_views/resolved_log_view.mock.ts | 0 .../common/log_views/resolved_log_view.ts | 0 .../logs_shared/common/log_views/types.ts | 0 .../shared}/logs_shared/common/mocks.ts | 0 .../logs_shared/common/plugin_config.ts | 0 .../logs_shared/common/runtime_types.ts | 0 .../common/search_strategies/common/errors.ts | 0 .../log_entries/log_entries.ts | 0 .../log_entries/log_entry.ts | 0 .../shared}/logs_shared/common/time/index.ts | 0 .../logs_shared/common/time/time_key.ts | 0 .../shared/logs_shared}/common/typed_json.ts | 0 .../common/utils/date_helpers.test.ts | 0 .../logs_shared/common/utils/date_helpers.ts | 0 .../shared}/logs_shared/common/utils/index.ts | 0 .../plugins/shared}/logs_shared/emotion.d.ts | 0 .../shared/logs_shared}/jest.config.js | 8 +- .../plugins/shared}/logs_shared/kibana.jsonc | 0 .../public/components/auto_sizer.tsx | 0 .../components/centered_flyout_body.tsx | 0 .../data_search_error_callout.stories.tsx | 0 .../components/data_search_error_callout.tsx | 0 .../data_search_progress.stories.tsx | 0 .../components/data_search_progress.tsx | 0 .../public/components/empty_states/index.tsx | 0 .../components/empty_states/no_data.tsx | 0 .../public/components/formatted_time.tsx | 0 .../loading/__examples__/index.stories.tsx | 0 .../public/components/loading/index.tsx | 0 .../components/log_ai_assistant/index.tsx | 0 .../log_ai_assistant.mock.tsx | 0 .../log_ai_assistant/log_ai_assistant.tsx | 0 .../log_ai_assistant/translations.ts | 0 .../public/components/log_stream/index.ts | 0 .../log_stream/log_stream.stories.mdx | 2 +- .../log_stream/log_stream.stories.tsx | 0 .../log_stream.story_decorators.tsx | 0 .../components/log_stream/log_stream.tsx | 0 .../log_stream/log_stream_error_boundary.tsx | 0 .../logging/log_entry_flyout/index.tsx | 0 .../log_entry_actions_menu.test.tsx | 0 .../log_entry_actions_menu.tsx | 0 .../log_entry_fields_table.tsx | 0 .../log_entry_flyout/log_entry_flyout.tsx | 0 .../log_text_stream/column_headers.tsx | 0 .../column_headers_wrapper.tsx | 0 .../logging/log_text_stream/field_value.tsx | 0 .../logging/log_text_stream/highlighting.tsx | 0 .../logging/log_text_stream/index.ts | 0 .../logging/log_text_stream/item.ts | 0 .../logging/log_text_stream/jump_to_tail.tsx | 0 .../log_text_stream/loading_item_view.tsx | 0 .../logging/log_text_stream/log_date_row.tsx | 0 .../log_text_stream/log_entry_column.tsx | 0 .../log_entry_context_menu.tsx | 0 .../log_entry_field_column.test.tsx | 0 .../log_entry_field_column.tsx | 0 .../log_entry_message_column.test.tsx | 0 .../log_entry_message_column.tsx | 0 .../logging/log_text_stream/log_entry_row.tsx | 0 .../log_text_stream/log_entry_row_wrapper.tsx | 0 .../log_entry_timestamp_column.tsx | 0 .../log_text_stream/log_text_separator.tsx | 0 .../log_text_stream/measurable_item_view.tsx | 0 .../scrollable_log_text_stream_view.tsx | 0 .../logging/log_text_stream/text_styles.tsx | 0 .../log_text_stream/vertical_scroll_panel.tsx | 0 .../public/components/logs_overview/index.tsx | 0 .../logs_overview/logs_overview.mock.tsx | 0 .../logs_overview/logs_overview.tsx | 0 .../open_in_logs_explorer_button.tsx | 0 .../components/resettable_error_boundary.tsx | 0 .../public/containers/logs/log_entry.ts | 0 .../api/fetch_log_entries_highlights.ts | 0 .../api/fetch_log_summary_highlights.ts | 0 .../containers/logs/log_highlights/index.ts | 0 .../log_highlights/log_entry_highlights.tsx | 0 .../logs/log_highlights/log_highlights.tsx | 0 .../log_highlights/log_summary_highlights.ts | 0 .../logs/log_highlights/next_and_previous.tsx | 0 .../containers/logs/log_position/index.ts | 0 .../logs/log_position/use_log_position.ts | 0 .../containers/logs/log_stream/index.ts | 0 .../log_stream/use_fetch_log_entries_after.ts | 0 .../use_fetch_log_entries_around.ts | 0 .../use_fetch_log_entries_before.ts | 0 .../logs/log_summary/api/fetch_log_summary.ts | 0 .../logs/log_summary/bucket_size.ts | 0 .../containers/logs/log_summary/index.ts | 0 .../logs/log_summary/log_summary.test.tsx | 0 .../logs/log_summary/log_summary.tsx | 0 .../logs/log_summary/with_summary.ts | 0 .../logs_shared/public/hooks/use_kibana.tsx | 0 .../logs_shared/public/hooks/use_log_view.ts | 0 .../shared}/logs_shared/public/index.ts | 0 .../shared}/logs_shared/public/mocks.tsx | 0 .../log_view_state/README.md | 0 .../log_view_state}/index.ts | 0 .../log_view_state/src/index.ts | 0 .../log_view_state/src/notifications.ts | 0 .../log_view_state/src/state_machine.ts | 0 .../log_view_state/src/types.ts | 0 .../src/url_state_storage_service.ts | 0 .../xstate_helpers/README.md | 0 .../xstate_helpers}/index.ts | 0 .../xstate_helpers/src/index.ts | 0 .../src/notification_channel.ts | 0 .../xstate_helpers/src/types.ts | 0 .../shared}/logs_shared/public/plugin.tsx | 0 .../public/services/log_views/index.ts | 0 .../log_views/log_views_client.mock.ts | 0 .../services/log_views/log_views_client.ts | 0 .../log_views/log_views_service.mock.ts | 0 .../services/log_views/log_views_service.ts | 0 .../public/services/log_views/types.ts | 0 .../logs_shared/public/test_utils/entries.ts | 0 .../test_utils/use_global_storybook_theme.tsx | 0 .../shared}/logs_shared/public/types.ts | 0 .../utils/data_search/data_search.stories.mdx | 0 .../flatten_data_search_response.ts | 0 .../public/utils/data_search/index.ts | 0 .../normalize_data_search_responses.ts | 0 .../public/utils/data_search/types.ts | 0 .../use_data_search_request.test.tsx | 0 .../data_search/use_data_search_request.ts | 0 .../use_data_search_response_state.ts | 0 ...test_partial_data_search_response.test.tsx | 0 ...use_latest_partial_data_search_response.ts | 0 .../logs_shared/public/utils/datemath.ts | 0 .../logs_shared/public/utils/dev_mode.ts | 0 .../logs_shared/public/utils/handlers.ts | 0 .../utils/log_column_render_configuration.tsx | 0 .../public/utils/log_entry/index.ts | 0 .../public/utils/log_entry/log_entry.ts | 0 .../utils/log_entry/log_entry_highlight.ts | 0 .../logs_shared/public/utils/typed_react.tsx | 0 .../public/utils/use_kibana_query_settings.ts | 0 .../public/utils}/use_kibana_ui_setting.ts | 0 .../public/utils}/use_observable.ts | 0 .../public/utils}/use_tracked_promise.ts | 0 .../public/utils/use_ui_tracker.ts | 0 .../public/utils}/use_visibility_state.ts | 0 .../shared}/logs_shared/server/config.ts | 0 .../server/deprecations/constants.ts | 0 .../logs_shared/server/deprecations/index.ts | 0 .../deprecations/log_sources_setting.ts | 0 .../logs_shared/server/feature_flags.ts | 0 .../shared}/logs_shared/server/index.ts | 0 .../lib/adapters/framework/adapter_types.ts | 0 .../server/lib/adapters/framework/index.ts | 0 .../framework/kibana_framework_adapter.ts | 0 .../log_entries/kibana_log_entries_adapter.ts | 0 .../lib/domains/log_entries_domain/index.ts | 0 .../log_entries_domain.mock.ts | 0 .../log_entries_domain/log_entries_domain.ts | 0 .../queries/log_entry_datasets.ts | 0 .../server/lib/logs_shared_types.ts | 0 .../logs_shared/server/logs_shared_server.ts | 0 .../shared}/logs_shared/server/mocks.ts | 0 .../shared}/logs_shared/server/plugin.ts | 0 .../server/routes/deprecations/index.ts | 0 .../deprecations/migrate_log_view_settings.ts | 0 .../server/routes/log_entries/highlights.ts | 0 .../server/routes/log_entries/index.ts | 0 .../server/routes/log_entries/summary.ts | 0 .../routes/log_entries/summary_highlights.ts | 0 .../server/routes/log_views/get_log_view.ts | 0 .../server/routes/log_views/index.ts | 0 .../server/routes/log_views/put_log_view.ts | 0 .../logs_shared/server/saved_objects/index.ts | 0 .../server/saved_objects/log_view/index.ts | 0 .../log_view/log_view_saved_object.ts | 0 .../log_view/references/index.ts | 0 .../log_view/references/log_indices.ts | 0 .../server/saved_objects/log_view/types.ts | 0 .../server/saved_objects/references.test.ts | 0 .../server/saved_objects/references.ts | 0 .../server/services/log_entries/index.ts | 0 .../log_entries_search_strategy.test.ts | 0 .../log_entries_search_strategy.ts | 0 .../log_entries/log_entries_service.ts | 0 .../log_entry_search_strategy.test.ts | 0 .../log_entries/log_entry_search_strategy.ts | 0 .../builtin_rules/filebeat_apache2.test.ts | 0 .../message/builtin_rules/filebeat_apache2.ts | 0 .../builtin_rules/filebeat_auditd.test.ts | 0 .../message/builtin_rules/filebeat_auditd.ts | 0 .../builtin_rules/filebeat_haproxy.test.ts | 0 .../message/builtin_rules/filebeat_haproxy.ts | 0 .../builtin_rules/filebeat_icinga.test.ts | 0 .../message/builtin_rules/filebeat_icinga.ts | 0 .../builtin_rules/filebeat_iis.test.ts | 0 .../message/builtin_rules/filebeat_iis.ts | 0 .../builtin_rules/filebeat_kafka.test.ts | 0 .../builtin_rules/filebeat_logstash.test.ts | 0 .../builtin_rules/filebeat_logstash.ts | 0 .../builtin_rules/filebeat_mongodb.test.ts | 0 .../message/builtin_rules/filebeat_mongodb.ts | 0 .../builtin_rules/filebeat_mysql.test.ts | 0 .../message/builtin_rules/filebeat_mysql.ts | 0 .../builtin_rules/filebeat_nginx.test.ts | 0 .../message/builtin_rules/filebeat_nginx.ts | 0 .../builtin_rules/filebeat_osquery.test.ts | 0 .../message/builtin_rules/filebeat_osquery.ts | 0 .../message/builtin_rules/filebeat_redis.ts | 0 .../message/builtin_rules/filebeat_system.ts | 0 .../builtin_rules/filebeat_traefik.test.ts | 0 .../message/builtin_rules/filebeat_traefik.ts | 0 .../message/builtin_rules/generic.test.ts | 0 .../message/builtin_rules/generic.ts | 0 .../builtin_rules/generic_webserver.ts | 0 .../message/builtin_rules/helpers.ts | 0 .../message/builtin_rules/index.ts | 0 .../services/log_entries/message/index.ts | 0 .../services/log_entries/message/message.ts | 0 .../log_entries/message/rule_types.ts | 0 .../services/log_entries/queries/common.ts | 0 .../log_entries/queries/log_entries.ts | 0 .../services/log_entries/queries/log_entry.ts | 0 .../server/services/log_entries/types.ts | 0 .../server/services/log_views/errors.ts | 0 .../server/services/log_views/index.ts | 0 .../log_views/log_views_client.mock.ts | 0 .../log_views/log_views_client.test.ts | 0 .../services/log_views/log_views_client.ts | 0 .../log_views/log_views_service.mock.ts | 0 .../services/log_views/log_views_service.ts | 0 .../server/services/log_views/types.ts | 0 .../shared}/logs_shared/server/types.ts | 0 .../utils/elasticsearch_runtime_types.ts | 0 .../server/utils/serialized_query.ts | 0 .../server/utils/typed_search_strategy.ts | 0 .../plugins/shared}/logs_shared/tsconfig.json | 4 +- .../enterprise_search/server/plugin.ts | 2 +- x-pack/plugins/fields_metadata/jest.config.js | 17 -- .../jest.config.js | 18 -- .../schema/xpack_observability.json | 24 +++ .../schema/xpack_platform.json | 142 +++++++++++++++ .../schema/xpack_plugins.json | 166 ------------------ .../kbn-custom-integrations/README.md | 0 .../kbn-custom-integrations/index.ts | 8 +- .../kbn-custom-integrations/jest.config.js | 12 ++ .../kbn-custom-integrations/kibana.jsonc | 0 .../kbn-custom-integrations/package.json | 2 +- .../src/components/create/button.tsx | 8 +- .../src/components/create/error_callout.tsx | 8 +- .../src/components/create/form.tsx | 8 +- .../src/components/create/utils.ts | 8 +- .../components/custom_integrations_button.tsx | 8 +- .../components/custom_integrations_form.tsx | 8 +- .../src/components/index.ts | 11 ++ .../create/use_create_dispatchable_events.ts | 8 +- .../src/hooks/index.ts | 10 ++ .../hooks/use_consumer_custom_integrations.ts | 8 +- .../src/hooks/use_custom_integrations.ts | 8 +- .../src/state_machines/create/defaults.ts | 8 +- .../state_machines/create/notifications.ts | 8 +- .../state_machines/create/pipelines/fields.ts | 8 +- .../src/state_machines/create/selectors.ts | 8 +- .../state_machines/create/state_machine.ts | 8 +- .../src/state_machines/create/types.ts | 8 +- .../custom_integrations/defaults.ts | 12 ++ .../custom_integrations/notifications.ts | 8 +- .../custom_integrations/provider.tsx | 8 +- .../custom_integrations/selectors.ts | 11 ++ .../custom_integrations/state_machine.ts | 8 +- .../custom_integrations/types.ts | 8 +- .../src/state_machines/index.ts | 10 ++ .../services/integrations_client.ts | 8 +- .../src/state_machines/services/validation.ts | 8 +- .../kbn-custom-integrations/src/types.ts | 8 +- .../kbn-custom-integrations/tsconfig.json | 2 +- .../plugins}/infra/.storybook/main.js | 0 .../plugins}/infra/.storybook/preview.js | 0 .../observability/plugins}/infra/README.md | 4 +- .../alerting/logs/log_threshold/index.ts | 0 .../logs/log_threshold/query_helpers.ts | 0 .../alerting/logs/log_threshold/types.ts | 0 .../alerting/metrics/alert_link.test.ts | 0 .../common/alerting/metrics/alert_link.ts | 0 .../infra/common/alerting/metrics/index.ts | 0 .../metrics/metric_value_formatter.test.ts | 0 .../metrics/metric_value_formatter.ts | 0 .../infra/common/alerting/metrics/types.ts | 0 .../infra/common/color_palette.test.ts | 0 .../plugins}/infra/common/color_palette.ts | 0 .../plugins}/infra/common/constants.ts | 0 .../infra/common/custom_dashboards.ts | 0 .../infra/common/formatters/alert_link.ts | 0 .../infra/common/formatters/bytes.test.ts | 0 .../plugins}/infra/common/formatters/bytes.ts | 0 .../infra}/common/formatters/datetime.ts | 0 .../formatters/get_custom_metric_label.ts | 0 .../infra/common/formatters/high_precision.ts | 0 .../plugins}/infra/common/formatters/index.ts | 0 .../infra/common/formatters/number.ts | 0 .../infra/common/formatters/percent.ts | 0 .../formatters/snapshot_metric_formats.ts | 0 .../common/formatters/telemetry_time_range.ts | 0 .../plugins}/infra/common/formatters/types.ts | 0 .../infra/common/http_api/asset_count_api.ts | 0 .../common/http_api/custom_dashboards_api.ts | 0 .../host_details/get_infra_services.ts | 0 .../common/http_api/host_details/index.ts | 0 .../http_api/host_details/process_list.ts | 0 .../plugins}/infra/common/http_api/index.ts | 0 .../http_api/infra/get_infra_metrics.ts | 0 .../infra/common/http_api/infra/index.ts | 0 .../infra/common/http_api/infra_ml/index.ts | 0 .../http_api/infra_ml/results/common.ts | 0 .../common/http_api/infra_ml/results/index.ts | 0 .../results/metrics_hosts_anomalies.ts | 0 .../infra_ml/results/metrics_k8s_anomalies.ts | 0 .../common/http_api/inventory_meta_api.ts | 0 .../http_api/inventory_views/v1/common.ts | 0 .../v1/create_inventory_view.ts | 0 .../inventory_views/v1/find_inventory_view.ts | 0 .../inventory_views/v1/get_inventory_view.ts | 0 .../http_api/inventory_views/v1/index.ts | 0 .../v1/update_inventory_view.ts | 0 .../common/http_api/ip_to_hostname/index.ts | 0 .../plugins}/infra/common/http_api/latest.ts | 0 .../log_alerts/v1/chart_preview_data.ts | 4 +- .../common/http_api/log_alerts/v1/index.ts | 0 .../log_analysis/id_formats/v1/id_formats.ts | 0 .../http_api/log_analysis/results/v1/index.ts | 0 .../results/v1/log_entry_anomalies.ts | 0 .../v1/log_entry_anomalies_datasets.ts | 0 .../results/v1/log_entry_categories.ts | 0 .../results/v1/log_entry_category_datasets.ts | 0 .../v1/log_entry_category_datasets_stats.ts | 0 .../results/v1/log_entry_category_examples.ts | 0 .../results/v1/log_entry_examples.ts | 0 .../log_analysis/validation/v1/datasets.ts | 0 .../log_analysis/validation/v1/index.ts | 0 .../validation/v1/log_entry_rate_indices.ts | 0 .../infra/common/http_api/metadata_api.ts | 0 .../infra/common/http_api/metrics_explorer.ts | 0 .../metrics_explorer_views/v1/common.ts | 0 .../v1/create_metrics_explorer_view.ts | 0 .../v1/find_metrics_explorer_view.ts | 0 .../v1/get_metrics_explorer_view.ts | 0 .../metrics_explorer_views/v1/index.ts | 0 .../v1/update_metrics_explorer_view.ts | 0 .../infra/common/http_api/node_details_api.ts | 0 .../infra/common/http_api/overview_api.ts | 0 .../infra/common/http_api/profiling_api.ts | 0 .../common/http_api/shared/asset_type.ts | 0 .../infra/common/http_api/shared/errors.ts | 0 .../common/http_api/shared/es_request.ts | 0 .../infra/common/http_api/shared/index.ts | 0 .../http_api/shared/metric_statistics.ts | 0 .../common/http_api/shared/time_range.ts | 0 .../infra/common/http_api/shared/timing.ts | 0 .../infra/common/http_api/snapshot_api.ts | 0 .../infra/common/infra_ml/anomaly_results.ts | 0 .../plugins}/infra/common/infra_ml/index.ts | 0 .../infra/common/infra_ml/infra_ml.ts | 0 .../infra/common/infra_ml/job_parameters.ts | 0 .../infra/common/infra_ml/metrics_hosts_ml.ts | 0 .../infra/common/infra_ml/metrics_k8s_ml.ts | 0 .../common/inventory_models/intl_strings.ts | 0 .../infra/common/inventory_views/defaults.ts | 0 .../infra/common/inventory_views/errors.ts | 0 .../infra/common/inventory_views/index.ts | 0 .../inventory_views/inventory_view.mock.ts | 0 .../infra/common/inventory_views/types.ts | 0 .../infra/common/log_analysis/index.ts | 0 .../common/log_analysis/job_parameters.ts | 0 .../infra/common/log_analysis/log_analysis.ts | 0 .../log_analysis/log_analysis_quality.ts | 0 .../log_analysis/log_analysis_results.ts | 0 .../log_analysis/log_entry_anomalies.ts | 0 .../log_entry_categories_analysis.ts | 0 .../common/log_analysis/log_entry_examples.ts | 0 .../log_analysis/log_entry_rate_analysis.ts | 0 .../infra/common/log_search_result/index.ts | 0 .../log_search_result/log_search_result.ts | 0 .../infra/common/log_search_summary/index.ts | 0 .../log_search_summary/log_search_summary.ts | 0 .../infra}/common/log_text_scale/index.ts | 0 .../common/log_text_scale/log_text_scale.ts | 0 .../common/metrics_explorer_views/defaults.ts | 0 .../common/metrics_explorer_views/errors.ts | 0 .../common/metrics_explorer_views/index.ts | 0 .../metrics_explorer_view.mock.ts | 0 .../common/metrics_explorer_views/types.ts | 0 .../common/metrics_sources/get_has_data.ts | 0 .../infra/common/metrics_sources/index.ts | 0 .../infra/common/performance_tracing.ts | 0 .../infra/common/plugin_config_types.ts | 0 .../infra/common/saved_views/index.ts | 0 .../infra/common/saved_views/types.ts | 0 .../common/search_strategies/common/errors.ts | 0 .../log_entries/log_entries.ts | 0 .../log_entries/log_entry.ts | 0 .../infra/common/snapshot_metric_i18n.ts | 0 .../common/source_configuration/defaults.ts | 0 .../source_configuration.ts | 0 .../plugins}/infra/common/time/index.ts | 0 .../plugins}/infra/common/time/time_key.ts | 0 .../plugins/infra/common/time}/time_range.ts | 0 .../plugins}/infra/common/time/time_scale.ts | 0 .../plugins}/infra/common/time/time_unit.ts | 0 .../plugins/infra}/common/typed_json.ts | 0 .../infra/common/url_state_storage_service.ts | 0 .../plugins}/infra/common/utility_types.ts | 0 .../utils/corrected_percent_convert.test.ts | 0 .../common/utils/corrected_percent_convert.ts | 0 .../utils/elasticsearch_runtime_types.ts | 0 .../common/utils/get_chart_group_names.ts | 0 .../common/utils/get_interval_in_seconds.ts | 0 .../docs/assets/infra_metricbeat_aws.jpg | Bin .../infra/docs/state_machines/README.md | 0 .../state_machines/xstate_machine_patterns.md | 0 .../state_machines/xstate_react_patterns.md | 0 .../xstate_url_patterns_and_precedence.md | 0 .../plugins}/infra/docs/telemetry/README.md | 2 +- .../docs/telemetry/define_custom_events.md | 2 +- .../telemetry/telemetry_service_overview.md | 0 .../trigger_custom_events_examples.md | 0 .../docs/test_setups/infra_metricbeat_aws.md | 0 .../infra_metricbeat_docker_nginx.md | 0 .../plugins/infra}/jest.config.js | 8 +- .../observability/plugins}/infra/kibana.jsonc | 0 .../metrics_overview_fetchers.test.ts.snap | 0 .../components/metrics_alert_dropdown.tsx | 0 .../common/components/threshold.stories.tsx | 0 .../common/components/threshold.test.tsx | 0 .../alerting/common/components/threshold.tsx | 0 .../criterion_preview_chart.tsx | 0 .../threshold_annotations.test.tsx | 0 .../threshold_annotations.tsx | 0 .../group_by_expression.tsx | 0 .../common/group_by_expression/selector.tsx | 0 .../components/alert_flyout.tsx | 0 .../public/alerting/custom_threshold/index.ts | 0 .../inventory/components/alert_flyout.tsx | 0 .../inventory/components/expression.test.tsx | 0 .../inventory/components/expression.tsx | 0 .../inventory/components/expression_chart.tsx | 0 .../manage_alerts_context_menu_item.tsx | 0 .../alerting/inventory/components/metric.tsx | 0 .../inventory/components/node_type.tsx | 0 .../inventory/components/validation.tsx | 0 .../hooks/use_inventory_alert_prefill.ts | 0 .../infra/public/alerting/inventory/index.ts | 0 .../inventory/rule_data_formatters.ts | 0 .../components/alert_annotation.tsx | 0 .../components/log_rate_analysis.tsx | 0 .../threhsold_chart/create_lens_definition.ts | 0 .../components/threhsold_chart/index.tsx | 0 .../log_threshold_count_chart.tsx | 0 .../log_threshold_ratio_chart.tsx | 0 .../alert_details_app_section/index.tsx | 0 .../log_rate_analysis_query.ts | 0 .../alert_details_app_section/types.ts | 0 .../components/alert_dropdown.tsx | 0 .../log_threshold/components/alert_flyout.tsx | 0 .../components/expression_editor/criteria.tsx | 0 .../expression_editor/criterion.tsx | 0 .../criterion_preview_chart.tsx | 0 .../components/expression_editor/editor.tsx | 0 .../hooks/use_chart_preview_data.tsx | 0 .../components/expression_editor/index.tsx | 0 .../expression_editor/log_view_switcher.tsx | 0 .../expression_editor/threshold.tsx | 0 .../expression_editor/type_switcher.tsx | 0 .../components/lazy_alert_dropdown.tsx | 0 .../public/alerting/log_threshold/index.ts | 0 .../log_threshold/log_threshold_rule_type.tsx | 0 .../log_threshold/rule_data_formatters.ts | 0 .../alerting/log_threshold/validation.ts | 0 .../alert_details_app_section.test.tsx.snap | 0 .../expression_row.test.tsx.snap | 0 .../alert_details_app_section.test.tsx | 0 .../components/alert_details_app_section.tsx | 0 .../components/alert_flyout.tsx | 0 .../custom_equation_editor.stories.tsx | 0 .../custom_equation_editor.tsx | 0 .../components/custom_equation/index.tsx | 0 .../custom_equation/metric_row_controls.tsx | 0 .../custom_equation/metric_row_with_agg.tsx | 0 .../custom_equation/metric_row_with_count.tsx | 0 .../components/custom_equation/types.ts | 0 .../components/expression.test.tsx | 0 .../components/expression.tsx | 0 .../components/expression_chart.test.tsx | 0 .../components/expression_chart.tsx | 0 .../components/expression_row.test.tsx | 0 .../components/expression_row.tsx | 0 .../components/validation.test.ts | 0 .../components/validation.tsx | 0 .../use_metric_threshold_alert_prefill.ts | 0 .../hooks/use_metrics_explorer_chart_data.ts | 0 .../alerting/metric_threshold/i18n_strings.ts | 0 .../public/alerting/metric_threshold/index.ts | 0 .../lib/generate_unique_key.test.ts | 0 .../lib/generate_unique_key.ts | 0 .../lib/transform_metrics_explorer_data.ts | 0 .../mocks/metric_threshold_rule.ts | 0 .../metric_threshold/rule_data_formatters.ts | 0 .../public/alerting/metric_threshold/types.ts | 0 .../public/alerting/use_alert_prefill.ts | 0 .../infra/public/apps/common_providers.tsx | 0 .../infra/public/apps/common_styles.ts | 0 .../plugins}/infra/public/apps/logs_app.tsx | 0 .../infra/public/apps/metrics_app.tsx | 0 .../asset_details_tabs.tsx | 0 .../infra/public/common/inventory/types.ts | 0 .../public/common/visualizations/constants.ts | 0 .../public/common/visualizations/index.ts | 0 .../common/visualizations/translations.ts | 0 .../__stories__/context/fixtures/alerts.ts | 0 .../__stories__/context/fixtures/anomalies.ts | 0 .../context/fixtures/asset_details_props.ts | 0 .../__stories__/context/fixtures/index.ts | 0 .../context/fixtures/log_entries.ts | 0 .../__stories__/context/fixtures/metadata.ts | 0 .../__stories__/context/fixtures/processes.ts | 0 .../context/fixtures/snapshot_api.ts | 0 .../asset_details/__stories__/context/http.ts | 0 .../asset_details/__stories__/decorator.tsx | 0 .../add_metrics_callout/constants.ts | 0 .../add_metrics_callout/index.tsx | 0 .../asset_details/asset_details.stories.tsx | 0 .../asset_details/asset_details.tsx | 0 .../components/asset_details/charts/chart.tsx | 0 .../asset_details/charts/chart_utils.test.ts | 0 .../asset_details/charts/chart_utils.ts | 0 .../asset_details/charts/docker_charts.tsx | 0 .../asset_details/charts/host_charts.tsx | 0 .../components/asset_details/charts/index.tsx | 0 .../charts/kubernetes_charts.tsx | 0 .../components/asset_details/charts/types.ts | 0 .../asset_details/charts_grid/charts_grid.tsx | 0 .../components/alerts_tooltip_content.tsx | 0 .../components/expandable_content.tsx | 0 .../components/kpis/container_kpi_charts.tsx | 0 .../components/kpis/host_kpi_charts.tsx | 0 .../asset_details/components/kpis/kpi.tsx | 0 .../components/metadata_error_callout.tsx | 0 .../components/metadata_explanation.tsx | 0 .../metric_not_available_explanation.tsx | 0 .../components/processes_explanation.tsx | 0 .../asset_details/components/section.tsx | 0 .../components/section_title.tsx | 0 .../components/services_tooltip_content.tsx | 0 .../components/top_processes_tooltip.tsx | 0 .../components/asset_details/constants.ts | 0 .../asset_details/content/callouts.tsx | 0 .../callouts/legacy_metric_callout.tsx | 0 .../asset_details/content/content.tsx | 0 .../asset_details/context_providers.tsx | 0 .../asset_details/date_picker/date_picker.tsx | 0 .../asset_details/header/flyout_header.tsx | 0 .../header/page_title_with_popover.tsx | 0 .../hooks/use_asset_details_render_props.ts | 0 .../hooks/use_asset_details_url_state.ts | 0 .../hooks/use_chart_series_color.test.ts | 0 .../hooks/use_chart_series_color.ts | 0 .../use_container_metrics_charts.test.ts | 0 .../hooks/use_container_metrics_charts.ts | 0 .../hooks/use_custom_dashboards.ts | 0 .../hooks/use_dashboards_fetcher.ts | 0 .../asset_details/hooks/use_data_views.ts | 0 .../asset_details/hooks/use_date_picker.ts | 0 .../asset_details/hooks/use_entity_summary.ts | 0 .../hooks/use_fetch_custom_dashboards.ts | 0 .../hooks/use_host_metrics_charts.test.ts | 0 .../hooks/use_host_metrics_charts.ts | 0 .../hooks/use_integration_check.ts | 0 .../hooks/use_intersecting_state.ts | 0 .../hooks/use_loading_state.test.ts | 0 .../asset_details/hooks/use_loading_state.ts | 0 .../asset_details/hooks/use_log_charts.ts | 0 .../asset_details/hooks/use_metadata.ts | 0 .../asset_details/hooks/use_metadata_state.ts | 0 .../asset_details/hooks/use_page_header.tsx | 0 .../asset_details/hooks/use_process_list.ts | 0 .../hooks/use_profiling_kuery.test.tsx | 0 .../hooks/use_profiling_kuery.ts | 0 .../hooks/use_request_observable.test.ts | 0 .../hooks/use_request_observable.ts | 0 .../hooks/use_saved_objects_permissions.ts | 0 .../asset_details/hooks/use_tab_switcher.tsx | 0 .../public/components/asset_details/index.ts | 0 .../components/asset_details/links/index.ts | 0 .../links/link_to_apm_service.tsx | 0 .../links/link_to_apm_services.tsx | 0 .../links/link_to_node_details.tsx | 0 .../tabs/anomalies/anomalies.tsx | 0 .../asset_details/tabs/common/popover.tsx | 0 .../tabs/dashboards/actions/actions.test.tsx | 0 .../dashboards/actions/edit_dashboard.tsx | 0 .../actions/goto_dashboard_link.tsx | 0 .../tabs/dashboards/actions/index.ts | 0 .../dashboards/actions/link_dashboard.tsx | 0 .../actions/save_dashboard_modal.tsx | 0 .../dashboards/actions/unlink_dashboard.tsx | 0 .../tabs/dashboards/context_menu.tsx | 0 .../tabs/dashboards/dashboard_selector.tsx | 0 .../tabs/dashboards/dashboards.tsx | 0 .../tabs/dashboards/empty_dashboards.tsx | 0 .../dashboards/filter_explanation_callout.tsx | 0 .../components/asset_details/tabs/index.ts | 0 .../asset_details/tabs/logs/logs.tsx | 0 .../metadata/add_metadata_filter_button.tsx | 0 .../tabs/metadata/add_pin_to_row.tsx | 0 .../tabs/metadata/build_metadata_filter.ts | 0 .../tabs/metadata/metadata.stories.tsx | 0 .../tabs/metadata/metadata.test.tsx | 0 .../asset_details/tabs/metadata/metadata.tsx | 0 .../asset_details/tabs/metadata/table.tsx | 0 .../asset_details/tabs/metadata/utils.test.ts | 0 .../asset_details/tabs/metadata/utils.ts | 0 .../tabs/metrics/container_metrics.tsx | 0 .../tabs/metrics/host_metrics.tsx | 0 .../asset_details/tabs/metrics/metrics.tsx | 0 .../tabs/metrics/metrics_template.tsx | 0 .../asset_details/tabs/osquery/osquery.tsx | 0 .../tabs/overview/alerts/alerts.tsx | 0 .../overview/alerts/alerts_closed_content.tsx | 0 .../overview/kpis/cpu_profiling_prompt.tsx | 0 .../tabs/overview/kpis/kpi_grid.tsx | 0 .../asset_details/tabs/overview/logs.tsx | 0 .../metadata_summary/metadata_header.tsx | 0 .../metadata_summary_list.tsx | 0 .../overview/metrics/container_metrics.tsx | 0 .../tabs/overview/metrics/host_metrics.tsx | 0 .../tabs/overview/metrics/metrics.tsx | 0 .../asset_details/tabs/overview/overview.tsx | 0 .../tabs/overview/section_titles.tsx | 0 .../asset_details/tabs/overview/services.tsx | 0 .../tabs/processes/parse_search_string.ts | 0 .../tabs/processes/process_row.tsx | 0 .../tabs/processes/process_row_charts.tsx | 0 .../tabs/processes/processes.stories.tsx | 0 .../tabs/processes/processes.tsx | 0 .../tabs/processes/processes_table.tsx | 0 .../tabs/processes/state_badge.tsx | 0 .../asset_details/tabs/processes/states.ts | 0 .../tabs/processes/summary_table.tsx | 0 .../asset_details/tabs/processes/types.ts | 0 .../tabs/profiling/description_callout.tsx | 0 .../tabs/profiling/empty_data_prompt.tsx | 0 .../tabs/profiling/error_prompt.tsx | 0 .../tabs/profiling/flamegraph.tsx | 0 .../tabs/profiling/functions.tsx | 0 .../tabs/profiling/profiling.tsx | 0 .../tabs/profiling/profiling_links.tsx | 0 .../asset_details/tabs/profiling/threads.tsx | 0 .../asset_details/template/flyout.tsx | 0 .../asset_details/template/page.tsx | 0 .../components/asset_details/translations.ts | 0 .../public/components/asset_details/types.ts | 0 .../public/components/asset_details/utils.ts | 0 .../utils/get_data_stream_types.ts | 0 .../infra}/public/components/auto_sizer.tsx | 0 .../autocomplete_field/autocomplete_field.tsx | 0 .../components/autocomplete_field/index.ts | 0 .../autocomplete_field/suggestion_item.tsx | 0 .../public/components/basic_table/index.ts | 0 .../basic_table/row_expansion_button.tsx | 0 .../infra/public/components/beta_badge.tsx | 0 .../public/components/empty_states/index.tsx | 0 .../components/empty_states/no_data.tsx | 0 .../components/empty_states/no_indices.tsx | 0 .../empty_states/no_metric_indices.tsx | 0 .../empty_states/no_remote_cluster.tsx | 0 .../infra/public/components/error_callout.tsx | 0 .../infra/public/components/error_page.tsx | 0 .../infra/public/components/eui/index.ts | 0 .../public/components/eui/toolbar/index.ts | 0 .../public/components/eui/toolbar/toolbar.tsx | 0 .../public/components/fixed_datepicker.tsx | 0 .../public/components/height_retainer.tsx | 0 .../public/components/help_center_content.tsx | 0 .../components/lens/chart_load_error.tsx | 0 .../components/lens/chart_placeholder.tsx | 0 .../infra/public/components/lens/index.tsx | 0 .../public/components/lens/lens_chart.tsx | 0 .../public/components/lens/lens_wrapper.tsx | 0 .../container_metrics_explanation_content.tsx | 0 .../host_metrics_docs_link.tsx | 0 .../host_metrics_explanation_content.tsx | 0 .../metric_explanation/tooltip_content.tsx | 0 .../infra/public/components/lens/types.ts | 0 .../loading/__examples__/index.stories.tsx | 0 .../infra/public/components/loading/index.tsx | 0 .../components/loading_overlay_wrapper.tsx | 0 .../infra/public/components/loading_page.tsx | 0 .../public/components/log_stream/constants.ts | 0 .../log_stream_react_embeddable.tsx | 0 .../public/components/log_stream/types.ts | 0 .../logging/inline_log_view_splash_page.tsx | 0 .../logging/log_analysis_job_status/index.ts | 0 .../job_configuration_outdated_callout.tsx | 0 .../job_definition_outdated_callout.tsx | 0 .../job_stopped_callout.tsx | 0 .../log_analysis_job_problem_indicator.tsx | 0 .../notices_section.tsx | 0 .../quality_warning_notices.stories.tsx | 0 .../quality_warning_notices.tsx | 0 .../recreate_job_callout.tsx | 0 .../analyze_in_ml_button.tsx | 0 .../anomaly_severity_indicator.tsx | 0 .../category_expression.tsx | 0 .../datasets_selector.tsx | 0 .../first_use_callout.tsx | 0 .../logging/log_analysis_results/index.ts | 0 .../log_analysis_setup/create_job_button.tsx | 0 .../logging/log_analysis_setup/index.ts | 0 .../analysis_setup_indices_form.tsx | 0 .../analysis_setup_timerange_form.tsx | 0 .../initial_configuration_step/index.ts | 0 .../index_setup_dataset_filter.tsx | 0 .../index_setup_row.tsx | 0 .../initial_configuration_step.stories.tsx | 0 .../initial_configuration_step.tsx | 0 .../initial_configuration_step/validation.tsx | 0 .../log_analysis_setup/manage_jobs_button.tsx | 0 .../missing_privileges_messages.ts | 0 .../missing_results_privileges_prompt.tsx | 0 .../missing_setup_privileges_prompt.tsx | 0 .../missing_setup_privileges_tooltip.tsx | 0 .../ml_unavailable_prompt.tsx | 0 .../process_step/create_ml_jobs_button.tsx | 0 .../log_analysis_setup/process_step/index.ts | 0 .../process_step/process_step.tsx | 0 .../process_step/recreate_ml_jobs_button.tsx | 0 .../log_analysis_setup/setup_flyout/index.tsx | 0 .../log_entry_categories_setup_view.tsx | 0 .../log_entry_rate_setup_view.tsx | 0 .../setup_flyout/module_list.tsx | 0 .../setup_flyout/module_list_card.tsx | 0 .../setup_flyout/setup_flyout.tsx | 0 .../setup_flyout/setup_flyout_state.ts | 0 .../setup_status_unknown_prompt.tsx | 0 .../user_management_link.tsx | 0 .../logging/log_customization_menu.tsx | 0 .../components/logging/log_datepicker.tsx | 0 .../log_entry_examples/log_entry_examples.tsx | 0 .../log_entry_examples_empty_indicator.tsx | 0 .../log_entry_examples_failure_indicator.tsx | 0 .../log_entry_examples_loading_indicator.tsx | 0 .../logging/log_highlights_menu.tsx | 0 .../logging/log_minimap/density_chart.tsx | 0 .../log_minimap/highlighted_interval.tsx | 0 .../components/logging/log_minimap/index.ts | 0 .../logging/log_minimap/log_minimap.tsx | 0 .../logging/log_minimap/search_marker.tsx | 0 .../log_minimap/search_marker_tooltip.tsx | 0 .../logging/log_minimap/search_markers.tsx | 0 .../log_minimap/time_label_formatter.tsx | 0 .../logging/log_minimap/time_ruler.tsx | 0 .../logging/log_search_controls/index.ts | 0 .../log_search_buttons.tsx | 0 .../log_search_controls.tsx | 0 .../log_search_controls/log_search_input.tsx | 0 .../components/logging/log_statusbar.tsx | 0 .../logging/log_text_scale_controls.tsx | 0 .../logging/log_text_wrap_controls.tsx | 0 .../components/logs_deprecation_callout.tsx | 0 .../missing_embeddable_factory_callout.tsx | 0 .../anomalies_table/annomaly_summary.tsx | 0 .../anomalies_table/anomalies_table.tsx | 0 .../anomalies_table/pagination.tsx | 0 .../anomaly_detection_flyout.tsx | 0 .../ml/anomaly_detection/flyout_home.tsx | 0 .../ml/anomaly_detection/job_setup_screen.tsx | 0 .../plugins}/infra/public/components/page.tsx | 0 .../infra/public/components/page_template.tsx | 0 .../saved_views/manage_views_flyout.tsx | 0 .../saved_views/toolbar_control.tsx | 0 .../components/saved_views/upsert_modal.tsx | 0 .../shared/alerts/alerts_overview.tsx | 0 .../shared/alerts/alerts_status_filter.tsx | 0 .../components/shared/alerts/constants.ts | 0 .../link_to_alerts_page.test.tsx.snap | 0 .../alerts/links/create_alert_rule_button.tsx | 0 .../alerts/links/link_to_alerts_page.test.tsx | 0 .../alerts/links/link_to_alerts_page.tsx | 0 .../shared/templates/infra_page_template.tsx | 0 .../shared/templates/no_data_config.ts | 0 .../view_source_configuration_button.tsx | 0 .../public/components/source_error_page.tsx | 0 .../public/components/source_loading_page.tsx | 0 .../subscription_splash_content.tsx | 0 .../infra/public/components/try_it_button.tsx | 0 .../header_action_menu_provider.tsx | 0 .../containers/kbn_url_state_context.ts | 0 .../get_latest_categories_datasets_stats.ts | 0 .../logs/log_analysis/api/ml_api_types.ts | 0 .../logs/log_analysis/api/ml_cleanup.ts | 0 .../api/ml_get_jobs_summary_api.ts | 0 .../logs/log_analysis/api/ml_get_module.ts | 0 .../log_analysis/api/ml_setup_module_api.ts | 0 .../log_analysis/api/validate_datasets.ts | 0 .../logs/log_analysis/api/validate_indices.ts | 0 .../containers/logs/log_analysis/index.ts | 0 .../log_analysis_capabilities.tsx | 0 .../log_analysis/log_analysis_cleanup.tsx | 0 .../logs/log_analysis/log_analysis_module.tsx | 0 .../log_analysis_module_configuration.ts | 0 .../log_analysis_module_definition.tsx | 0 .../log_analysis_module_status.tsx | 0 .../log_analysis/log_analysis_module_types.ts | 0 .../log_analysis/log_analysis_setup_state.ts | 0 .../modules/log_entry_categories/index.ts | 0 .../log_entry_categories/module_descriptor.ts | 0 .../use_log_entry_categories_module.tsx | 0 .../use_log_entry_categories_quality.ts | 0 .../use_log_entry_categories_setup.tsx | 0 .../modules/log_entry_rate/index.ts | 0 .../log_entry_rate/module_descriptor.ts | 0 .../use_log_entry_rate_module.tsx | 0 .../use_log_entry_rate_setup.tsx | 0 .../public/containers/logs/log_flyout.tsx | 0 .../logs/log_view_configuration.test.tsx | 0 .../logs/log_view_configuration.tsx | 0 .../logs/view_log_in_context/index.ts | 0 .../view_log_in_context.ts | 0 .../containers/logs/with_log_textview.tsx | 0 ...metrics_explorer_options_url_state.test.ts | 0 ...ith_metrics_explorer_options_url_state.tsx | 0 .../public/containers/metrics_source/index.ts | 0 .../containers/metrics_source/metrics_view.ts | 0 .../metrics_source/notifications.ts | 0 .../containers/metrics_source/source.tsx | 0 .../metrics_source/source_errors.ts | 0 .../public/containers/ml/api/ml_api_types.ts | 0 .../public/containers/ml/api/ml_cleanup.ts | 0 .../ml/api/ml_get_jobs_summary_api.ts | 0 .../public/containers/ml/api/ml_get_module.ts | 0 .../containers/ml/api/ml_setup_module_api.ts | 0 .../containers/ml/infra_ml_capabilities.tsx | 0 .../public/containers/ml/infra_ml_cleanup.tsx | 0 .../public/containers/ml/infra_ml_module.tsx | 0 .../ml/infra_ml_module_configuration.ts | 0 .../ml/infra_ml_module_definition.tsx | 0 .../ml/infra_ml_module_status.test.ts | 0 .../containers/ml/infra_ml_module_status.tsx | 0 .../containers/ml/infra_ml_module_types.ts | 0 .../ml/modules/metrics_hosts/module.tsx | 0 .../metrics_hosts/module_descriptor.ts | 0 .../ml/modules/metrics_k8s/module.tsx | 0 .../modules/metrics_k8s/module_descriptor.ts | 0 .../containers/plugin_config_context.test.tsx | 0 .../containers/plugin_config_context.ts | 0 .../containers/react_query_provider.tsx | 0 .../containers/triggers_actions_context.tsx | 0 .../containers/with_kuery_autocompletion.tsx | 0 .../public/hooks/use_alerts_count.test.ts | 0 .../infra/public/hooks/use_alerts_count.ts | 0 .../infra/public/hooks/use_chart_themes.ts | 0 .../infra/public/hooks/use_document_title.tsx | 0 .../use_entity_centric_experience_setting.tsx | 0 .../infra/public/hooks/use_fetcher.tsx | 0 .../infra/public/hooks/use_inventory_views.ts | 0 .../infra/public/hooks/use_is_dark_mode.ts | 0 .../infra/public/hooks/use_kibana.tsx | 0 .../hooks/use_kibana_index_patterns.mock.tsx | 0 .../public/hooks/use_kibana_index_patterns.ts | 0 .../infra/public/hooks/use_kibana_space.ts | 0 .../hooks/use_kibana_time_zone_setting.ts | 0 .../hooks/use_kibana_timefilter_time.tsx | 0 .../public/hooks}/use_kibana_ui_setting.ts | 0 .../infra/public/hooks/use_lazy_ref.ts | 0 .../public/hooks/use_lens_attributes.test.ts | 0 .../infra/public/hooks/use_lens_attributes.ts | 0 .../infra/public/hooks/use_license.ts | 0 .../public/hooks/use_log_view_reference.ts | 0 .../public/hooks/use_logs_breadcrumbs.tsx | 0 .../public/hooks/use_metrics_breadcrumbs.tsx | 0 .../hooks/use_metrics_explorer_views.ts | 0 .../infra/public/hooks}/use_observable.ts | 0 .../hooks/use_parent_breadcrumb_resolver.ts | 0 .../use_profiling_integration_setting.ts | 0 .../infra/public/hooks/use_readonly_badge.tsx | 0 .../public/hooks/use_saved_views_notifier.ts | 0 .../infra/public/hooks/use_search_session.ts | 0 .../infra/public/hooks/use_sorting.tsx | 0 .../infra/public/hooks/use_time_range.test.ts | 0 .../infra/public/hooks/use_time_range.ts | 0 .../public/hooks/use_timeline_chart_theme.ts | 0 .../public/hooks}/use_tracked_promise.ts | 0 .../infra/public/hooks/use_trial_status.tsx | 0 .../public/hooks/use_viewport_dimensions.ts | 0 .../public/hooks}/use_visibility_state.ts | 0 .../plugins}/infra/public/images/docker.svg | 0 .../plugins}/infra/public/images/hosts.svg | 0 .../infra/public/images/infra_mono_white.svg | 0 .../plugins}/infra/public/images/k8.svg | 0 .../public/images/logging_mono_white.svg | 0 .../plugins}/infra/public/images/services.svg | 0 .../plugins}/infra/public/index.ts | 0 .../public/metrics_overview_fetchers.test.ts | 0 .../infra/public/metrics_overview_fetchers.ts | 0 .../plugins}/infra/public/mocks.tsx | 0 .../log_stream_page/state/README.md | 0 .../log_stream_page/state}/index.ts | 0 .../log_stream_page/state/src/index.ts | 0 .../state/src/initial_parameters_service.ts | 0 .../log_stream_page/state/src/provider.tsx | 0 .../log_stream_page/state/src/selectors.ts | 0 .../state/src/state_machine.ts | 0 .../log_stream_page/state/src/types.ts | 0 .../log_stream_position_state/index.ts | 0 .../log_stream_position_state/src/defaults.ts | 0 .../src/notifications.ts | 0 .../src/state_machine.ts | 0 .../log_stream_position_state/src/types.ts | 0 .../src/url_state_storage_service.ts | 0 .../log_stream_query_state}/index.ts | 0 .../log_stream_query_state/src/defaults.ts | 0 .../log_stream_query_state/src/errors.ts | 0 .../log_stream_query_state/src/index.ts | 0 .../src/notifications.ts | 0 .../src/search_bar_state_service.ts | 0 .../src/state_machine.ts | 0 .../src/time_filter_state_service.ts | 0 .../log_stream_query_state/src/types.ts | 0 .../src/url_state_storage_service.ts | 0 .../src/validate_query_service.ts | 0 .../xstate_helpers/README.md | 0 .../xstate_helpers}/index.ts | 0 .../xstate_helpers/src/index.ts | 0 .../src/invalid_state_callout.tsx | 0 .../src/state_machine_playground.tsx | 0 .../infra/public/page_template.styles.ts | 0 .../plugins}/infra/public/pages/404.tsx | 0 .../plugins}/infra/public/pages/error.tsx | 0 .../infra/public/pages/link_to/index.ts | 0 .../public/pages/link_to/link_to_logs.tsx | 0 .../public/pages/link_to/link_to_metrics.tsx | 0 .../public/pages/link_to/query_params.ts | 0 .../redirect_to_host_detail_via_ip.tsx | 0 .../pages/link_to/redirect_to_inventory.tsx | 0 .../public/pages/link_to/redirect_to_logs.tsx | 0 .../pages/link_to/redirect_to_node_detail.tsx | 0 .../pages/link_to/redirect_to_node_logs.tsx | 0 .../pages/link_to/use_host_ip_to_name.test.ts | 0 .../pages/link_to/use_host_ip_to_name.ts | 0 .../infra/public/pages/logs/index.tsx | 0 .../pages/logs/log_entry_categories/index.ts | 0 .../pages/logs/log_entry_categories/page.tsx | 0 .../log_entry_categories/page_content.tsx | 0 .../log_entry_categories/page_providers.tsx | 0 .../page_results_content.tsx | 0 .../page_setup_content.tsx | 0 .../analyze_dataset_in_ml_action.tsx | 0 .../anomaly_severity_indicator_list.tsx | 0 .../top_categories/category_details_row.tsx | 0 .../category_example_message.tsx | 0 .../top_categories/datasets_action_list.tsx | 0 .../sections/top_categories/datasets_list.tsx | 0 .../sections/top_categories/index.ts | 0 .../log_entry_count_sparkline.tsx | 0 .../single_metric_comparison.tsx | 0 .../single_metric_sparkline.tsx | 0 .../top_categories/top_categories_section.tsx | 0 .../top_categories/top_categories_table.tsx | 0 .../get_log_entry_category_datasets.ts | 0 .../get_log_entry_category_examples.ts | 0 .../get_top_log_entry_categories.ts | 0 .../use_log_entry_categories_results.ts | 0 ...log_entry_categories_results_url_state.tsx | 0 .../use_log_entry_category_examples.tsx | 0 .../public/pages/logs/log_entry_rate/index.ts | 0 .../public/pages/logs/log_entry_rate/page.tsx | 0 .../logs/log_entry_rate/page_content.tsx | 0 .../logs/log_entry_rate/page_providers.tsx | 0 .../log_entry_rate/page_results_content.tsx | 0 .../log_entry_rate/page_setup_content.tsx | 0 .../anomalies_swimlane_visualisation.tsx | 0 .../sections/anomalies/expanded_row.tsx | 0 .../sections/anomalies/index.tsx | 0 .../sections/anomalies/log_entry_example.tsx | 0 .../sections/anomalies/table.tsx | 0 .../service_calls/get_log_entry_anomalies.ts | 0 .../get_log_entry_anomalies_datasets.ts | 0 .../service_calls/get_log_entry_examples.ts | 0 .../log_entry_rate/use_dataset_filtering.ts | 0 .../use_log_entry_anomalies_results.ts | 0 .../log_entry_rate/use_log_entry_examples.ts | 0 .../use_log_entry_rate_results_url_state.tsx | 0 .../plugins}/infra/public/pages/logs/page.tsx | 0 .../infra/public/pages/logs/page_content.tsx | 0 .../public/pages/logs/page_providers.tsx | 0 .../infra/public/pages/logs/routes.ts | 0 .../logs/settings/add_log_column_popover.tsx | 0 .../pages/logs/settings/form_elements.tsx | 0 .../pages/logs/settings/form_field_props.tsx | 0 .../infra/public/pages/logs/settings/index.ts | 0 .../index_names_configuration_panel.tsx | 0 .../index_pattern_configuration_panel.tsx | 0 .../logs/settings/index_pattern_selector.tsx | 0 .../indices_configuration_form_state.ts | 0 .../indices_configuration_panel.stories.tsx | 0 .../settings/indices_configuration_panel.tsx | 0 .../logs/settings/inline_log_view_callout.tsx | 0 ...a_advanced_setting_configuration_panel.tsx | 0 .../log_columns_configuration_form_state.tsx | 0 .../log_columns_configuration_panel.tsx | 2 +- .../name_configuration_form_state.tsx | 0 .../settings/name_configuration_panel.tsx | 0 .../source_configuration_form_errors.tsx | 0 .../source_configuration_form_state.tsx | 0 .../source_configuration_settings.tsx | 0 .../pages/logs/settings/validation_errors.ts | 0 .../call_get_log_analysis_id_formats.ts | 0 .../pages/logs/shared/page_log_view_error.tsx | 0 .../pages/logs/shared/page_template.tsx | 0 .../shared/use_log_ml_job_id_formats_shim.tsx | 0 .../stream/components/stream_live_button.tsx | 0 .../components/stream_page_template.tsx | 0 .../infra/public/pages/logs/stream/index.ts | 0 .../infra/public/pages/logs/stream/page.tsx | 0 .../public/pages/logs/stream/page_content.tsx | 0 .../pages/logs/stream/page_logs_content.tsx | 0 .../stream/page_missing_indices_content.tsx | 0 .../pages/logs/stream/page_providers.tsx | 0 .../public/pages/logs/stream/page_toolbar.tsx | 0 .../logs/stream/page_view_log_in_context.tsx | 0 .../components/chart/metric_chart_wrapper.tsx | 0 .../hosts/components/common/popover.tsx | 0 .../host_details_flyout/flyout_wrapper.tsx | 0 .../hosts/components/hosts_container.tsx | 0 .../hosts/components/hosts_content.tsx | 0 .../metrics/hosts/components/hosts_table.tsx | 0 .../hosts/components/kpis/host_count_kpi.tsx | 0 .../hosts/components/kpis/kpi_charts.tsx | 0 .../hosts/components/kpis/kpi_grid.tsx | 0 .../search_bar/control_panels_config.ts | 0 .../search_bar/controls_content.tsx | 0 .../components/search_bar/controls_title.tsx | 0 .../components/search_bar/limit_options.tsx | 0 .../search_bar/unified_search_bar.tsx | 0 .../add_data_troubleshooting_popover.tsx | 0 .../hosts/components/table/column_header.tsx | 0 .../hosts/components/table/entry_title.tsx | 0 .../hosts/components/table/filter_action.tsx | 0 .../tabs/alerts/alerts_tab_content.tsx | 0 .../hosts/components/tabs/alerts/index.ts | 0 .../components/tabs/alerts_tab_badge.tsx | 0 .../hosts/components/tabs/logs/index.ts | 0 .../tabs/logs/logs_link_to_stream.tsx | 0 .../components/tabs/logs/logs_search_bar.tsx | 0 .../components/tabs/logs/logs_tab_content.tsx | 0 .../hosts/components/tabs/metrics/chart.tsx | 0 .../components/tabs/metrics/metrics_grid.tsx | 0 .../metrics/hosts/components/tabs/tabs.tsx | 0 .../public/pages/metrics/hosts/constants.ts | 0 .../hosts/hooks/use_after_loaded_state.ts | 0 .../metrics/hosts/hooks/use_alerts_query.ts | 0 .../hosts/hooks/use_host_count.test.ts | 0 .../metrics/hosts/hooks/use_host_count.ts | 0 .../hosts/hooks/use_hosts_table.test.ts | 0 .../metrics/hosts/hooks/use_hosts_table.tsx | 0 .../hosts/hooks/use_hosts_table_url_state.ts | 0 .../metrics/hosts/hooks/use_hosts_view.ts | 0 .../hosts/hooks/use_logs_search_url_state.ts | 0 .../hosts/hooks/use_metrics_charts.test.ts | 0 .../metrics/hosts/hooks/use_metrics_charts.ts | 0 .../pages/metrics/hosts/hooks/use_tab_id.ts | 0 .../metrics/hosts/hooks/use_unified_search.ts | 0 .../hooks/use_unified_search_url_state.ts | 0 .../public/pages/metrics/hosts/index.tsx | 0 .../pages/metrics/hosts/translations.ts | 0 .../infra/public/pages/metrics/hosts/types.ts | 0 .../infra/public/pages/metrics/index.tsx | 0 .../components/bottom_drawer.tsx | 0 .../components/dropdown_button.tsx | 0 .../inventory_view/components/filter_bar.tsx | 0 .../components/kubernetes_tour.tsx | 0 .../inventory_view/components/layout.tsx | 0 .../inventory_view/components/layout_view.tsx | 0 .../components/nodes_overview.tsx | 0 .../inventory_view/components/saved_views.tsx | 0 .../inventory_view/components/search_bar.tsx | 0 .../components/snapshot_container.tsx | 0 .../components/survey_kubernetes.tsx | 0 .../components/survey_section.tsx | 0 .../inventory_view/components/table_view.tsx | 0 .../components/timeline/timeline.tsx | 0 .../toolbars/aws_ec2_toolbar_items.tsx | 0 .../toolbars/aws_rds_toolbar_items.tsx | 0 .../toolbars/aws_s3_toolbar_items.tsx | 0 .../toolbars/aws_sqs_toolbar_items.tsx | 0 .../toolbars/cloud_toolbar_items.tsx | 0 .../toolbars/container_toolbar_items.tsx | 0 .../toolbars/host_toolbar_items.tsx | 0 .../metrics_and_groupby_toolbar_items.tsx | 0 .../components/toolbars/pod_toolbar_items.tsx | 0 .../components/toolbars/toolbar.tsx | 0 .../components/toolbars/toolbar_wrapper.tsx | 0 .../components/toolbars/types.ts | 0 .../conditional_tooltip.test.tsx.snap | 0 .../waffle/asset_details_flyout.tsx | 0 .../waffle/conditional_tooltip.test.tsx | 0 .../components/waffle/conditional_tooltip.tsx | 0 .../components/waffle/custom_field_panel.tsx | 0 .../components/waffle/gradient_legend.tsx | 0 .../components/waffle/group_name.tsx | 0 .../components/waffle/group_of_groups.tsx | 0 .../components/waffle/group_of_nodes.tsx | 0 .../components/waffle/interval_label.tsx | 0 .../components/waffle/legend.tsx | 0 .../components/waffle/legend_controls.tsx | 0 .../inventory_view/components/waffle/map.tsx | 0 .../metric_control/custom_metric_form.tsx | 0 .../waffle/metric_control/index.tsx | 0 .../metric_control/metrics_context_menu.tsx | 0 .../metric_control/metrics_edit_mode.tsx | 0 .../waffle/metric_control/mode_switcher.tsx | 0 .../components/waffle/metric_control/types.ts | 0 .../inventory_view/components/waffle/node.tsx | 0 .../components/waffle/node_context_menu.tsx | 0 .../components/waffle/node_square.tsx | 2 +- .../components/waffle/palette_preview.tsx | 0 .../waffle/stepped_gradient_legend.tsx | 0 .../components/waffle/steps_legend.tsx | 0 .../components/waffle/swatch_label.tsx | 0 .../components/waffle/view_switcher.tsx | 0 .../waffle/waffle_accounts_controls.tsx | 0 .../waffle/waffle_group_by_controls.tsx | 0 .../waffle/waffle_inventory_switcher.tsx | 0 .../waffle/waffle_region_controls.tsx | 0 .../waffle/waffle_sort_controls.tsx | 0 .../waffle/waffle_time_controls.tsx | 0 .../use_asset_details_flyout_url_state.ts | 0 .../hooks/use_metrics_hosts_anomalies.ts | 0 .../hooks/use_metrics_k8s_anomalies.ts | 0 .../inventory_view/hooks/use_snaphot.ts | 0 .../inventory_view/hooks/use_timeline.ts | 0 .../hooks/use_waffle_filters.test.ts | 0 .../hooks/use_waffle_filters.ts | 0 .../hooks/use_waffle_options.test.ts | 0 .../hooks/use_waffle_options.ts | 0 .../inventory_view/hooks/use_waffle_time.ts | 0 .../hooks/use_waffle_view_state.ts | 0 .../pages/metrics/inventory_view/index.tsx | 0 .../lib/apply_wafflemap_layout.ts | 0 .../lib/calculate_bounds_from_nodes.test.ts | 0 .../lib/calculate_bounds_from_nodes.ts | 0 .../inventory_view/lib/color_from_value.ts | 0 .../lib/convert_bounds_to_percents.ts | 0 .../lib/create_inventory_metric_formatter.ts | 0 .../inventory_view/lib/create_legend.ts | 0 .../lib/field_to_display_name.ts | 0 .../inventory_view/lib/get_color_palette.ts | 0 .../inventory_view/lib/navigate_to_uptime.ts | 0 .../inventory_view/lib/nodes_to_wafflemap.ts | 0 .../inventory_view/lib/size_of_squares.ts | 0 .../inventory_view/lib/sort_nodes.test.ts | 0 .../metrics/inventory_view/lib/sort_nodes.ts | 0 .../metrics/inventory_view/lib/type_guards.ts | 0 .../metric_detail/asset_detail_page.tsx | 0 .../components/chart_section_vis.tsx | 0 .../components/error_message.tsx | 0 .../components/gauges_section_vis.tsx | 0 .../metric_detail/components/helpers.ts | 0 .../metric_detail/components/invalid_node.tsx | 0 .../metric_detail/components/layout.tsx | 0 .../components/layouts/aws_ec2_layout.tsx | 0 .../components/layouts/aws_rds_layout.tsx | 0 .../components/layouts/aws_s3_layout.tsx | 0 .../components/layouts/aws_sqs_layout.tsx | 0 .../components/layouts/container_layout.tsx | 0 .../layouts/nginx_layout_sections.tsx | 0 .../components/layouts/pod_layout.tsx | 0 .../components/metadata_details.tsx | 0 .../components/node_details_page.tsx | 0 .../metric_detail/components/page_body.tsx | 0 .../components/page_error.test.tsx | 0 .../metric_detail/components/page_error.tsx | 0 .../metric_detail/components/section.tsx | 0 .../metric_detail/components/series_chart.tsx | 0 .../metric_detail/components/side_nav.tsx | 0 .../metric_detail/components/sub_section.tsx | 0 .../components/time_controls.test.tsx | 0 .../components/time_controls.tsx | 0 .../containers/metadata_context.ts | 0 .../metric_detail/hooks/metrics_time.test.tsx | 0 .../metric_detail/hooks/use_metrics_time.ts | 0 .../pages/metrics/metric_detail/index.tsx | 0 .../metric_detail/lib/get_filtered_metrics.ts | 0 .../metric_detail/lib/side_nav_context.ts | 0 .../metric_detail/metric_detail_page.tsx | 0 .../pages/metrics/metric_detail/types.ts | 0 .../components/aggregation.tsx | 0 .../metrics_explorer/components/chart.tsx | 0 .../components/chart_context_menu.test.tsx | 0 .../components/chart_context_menu.tsx | 0 .../components/chart_options.tsx | 0 .../components/chart_title.tsx | 0 .../metrics_explorer/components/charts.tsx | 0 .../components/empty_chart.tsx | 0 .../metrics_explorer/components/group_by.tsx | 0 .../components/helpers/calculate_domain.ts | 0 .../helpers/calculate_domian.test.ts | 0 .../helpers/create_formatter_for_metric.ts | 0 .../create_formatter_for_metrics.test.ts | 0 .../helpers/create_metric_label.test.ts | 0 .../components/helpers/create_metric_label.ts | 0 .../helpers/create_tsvb_link.test.ts | 0 .../components/helpers/create_tsvb_link.ts | 0 .../components/helpers/get_metric_id.ts | 0 .../helpers/metric_to_format.test.ts | 0 .../components/helpers/metric_to_format.ts | 0 .../metrics_explorer/components/kuery_bar.tsx | 0 .../metrics_explorer/components/metrics.tsx | 0 .../components/no_metrics.tsx | 0 .../components/saved_views.tsx | 0 .../components/series_chart.tsx | 0 .../metrics_explorer/components/toolbar.tsx | 0 .../hooks/use_metric_explorer_state.test.tsx | 0 .../hooks/use_metric_explorer_state.ts | 0 .../hooks/use_metrics_explorer_data.test.tsx | 0 .../hooks/use_metrics_explorer_data.ts | 0 .../use_metrics_explorer_options.test.tsx | 0 .../hooks/use_metrics_explorer_options.ts | 0 .../pages/metrics/metrics_explorer/index.tsx | 0 .../infra/public/pages/metrics/settings.tsx | 0 .../settings/features_configuration_panel.tsx | 0 .../indices_configuration_form_state.ts | 0 .../settings/indices_configuration_panel.tsx | 0 .../pages/metrics/settings/input_fields.tsx | 0 .../settings/ml_configuration_panel.tsx | 0 .../settings/name_configuration_panel.tsx | 0 .../source_configuration_form_state.tsx | 0 .../source_configuration_settings.tsx | 0 .../plugins}/infra/public/plugin.ts | 4 +- .../plugins}/infra/public/register_feature.ts | 0 .../public/services/inventory_views/index.ts | 0 .../inventory_views_client.mock.ts | 0 .../inventory_views/inventory_views_client.ts | 0 .../inventory_views_service.mock.ts | 0 .../inventory_views_service.ts | 0 .../public/services/inventory_views/types.ts | 0 .../services/metrics_explorer_views/index.ts | 0 .../metrics_explorer_views_client.mock.ts | 0 .../metrics_explorer_views_client.ts | 0 .../metrics_explorer_views_service.mock.ts | 0 .../metrics_explorer_views_service.ts | 0 .../services/metrics_explorer_views/types.ts | 0 .../infra/public/services/telemetry/index.ts | 0 .../telemetry/telemetry_client.mock.ts | 0 .../services/telemetry/telemetry_client.ts | 0 .../services/telemetry/telemetry_events.ts | 0 .../telemetry/telemetry_service.mock.ts | 0 .../telemetry/telemetry_service.test.ts | 0 .../services/telemetry/telemetry_service.ts | 0 .../infra/public/services/telemetry/types.ts | 0 .../infra/public/test_utils/entries.ts | 0 .../plugins}/infra/public/test_utils/index.ts | 0 .../test_utils/use_global_storybook_theme.tsx | 0 .../plugins}/infra/public/translations.ts | 0 .../plugins}/infra/public/types.ts | 0 .../utils/convert_interval_to_string.ts | 0 .../utils/data_search/data_search.stories.mdx | 0 .../flatten_data_search_response.ts | 0 .../infra}/public/utils/data_search/index.ts | 0 .../normalize_data_search_responses.ts | 0 .../infra/public/utils/data_search/types.ts | 0 .../use_data_search_request.test.tsx | 0 .../data_search/use_data_search_request.ts | 0 .../use_data_search_response_state.ts | 0 ...test_partial_data_search_response.test.tsx | 0 ...use_latest_partial_data_search_response.ts | 0 .../plugins}/infra/public/utils/data_view.ts | 0 .../infra/public/utils/datemath.test.ts | 0 .../plugins}/infra/public/utils/datemath.ts | 0 .../plugins}/infra/public/utils/dev_mode.ts | 0 .../infra/public/utils/filters/build.test.ts | 0 .../infra/public/utils/filters/build.ts | 0 .../utils/filters/create_alerts_es_query.ts | 0 .../public/utils/fixtures/metrics_explorer.ts | 0 .../plugins}/infra/public/utils/kuery.ts | 0 .../utils/log_column_render_configuration.tsx | 0 .../public/utils/logs_overview_fetchers.ts | 0 .../utils/logs_overview_fetches.test.ts | 0 ...picker_quickranges_to_datepicker_ranges.ts | 0 .../utils/redirect_with_query_params.tsx | 0 .../public/utils/source_configuration.ts | 0 .../public/utils/theme_utils/with_attrs.tsx | 0 .../infra/public/utils/typed_react.tsx | 0 .../plugins}/infra/public/utils/url_state.tsx | 0 .../plugins}/infra/server/config.ts | 0 .../plugins}/infra/server/features.ts | 0 .../plugins}/infra/server/index.ts | 0 .../plugins}/infra/server/infra_server.ts | 0 .../lib/adapters/framework/adapter_types.ts | 0 .../server/lib/adapters/framework}/index.ts | 0 .../framework/kibana_framework_adapter.ts | 0 .../lib/adapters/metrics/adapter_types.ts | 0 .../server/lib/adapters/metrics}/index.ts | 0 .../metrics/kibana_metrics_adapter.ts | 0 .../adapters/metrics/lib/check_valid_node.ts | 0 .../elasticsearch_source_status_adapter.ts | 0 .../lib/adapters/source_status/index.ts | 0 .../lib/alerting/common/get_values.test.ts | 0 .../server/lib/alerting/common/get_values.ts | 0 .../server/lib/alerting/common/messages.ts | 0 .../server/lib/alerting/common/utils.test.ts | 0 .../infra/server/lib/alerting/common/utils.ts | 0 .../docs/params_property_infra_inventory.yaml | 0 ...arams_property_infra_metric_threshold.yaml | 0 .../docs/params_property_log_threshold.yaml | 0 .../infra/server/lib/alerting/index.ts | 0 .../evaluate_condition.ts | 0 ...nventory_metric_threshold_executor.test.ts | 0 .../inventory_metric_threshold_executor.ts | 0 .../lib/calculate_from_based_on_metric.ts | 0 .../lib/calculate_rate_timeranges.ts | 0 .../lib/convert_metric_value.ts | 0 .../lib/create_bucket_selector.test.ts | 0 .../lib/create_bucket_selector.ts | 0 .../lib/create_condition_script.test.ts | 0 .../lib/create_condition_script.ts | 0 .../lib/create_log_rate_aggs.ts | 0 .../lib/create_metric_aggregations.ts | 0 .../lib/create_rate_agg_with_interface.ts | 0 .../lib/create_rate_aggs.ts | 0 .../lib/create_request.ts | 0 .../lib/get_data.ts | 0 .../lib/is_rate.test.ts | 0 .../inventory_metric_threshold/lib/is_rate.ts | 0 ...er_inventory_metric_threshold_rule_type.ts | 0 .../log_threshold_chart_preview.ts | 0 .../log_threshold_executor.test.ts | 0 .../log_threshold/log_threshold_executor.ts | 0 .../log_threshold_references_manager.test.ts | 0 .../log_threshold_references_manager.ts | 0 .../lib/alerting/log_threshold/mocks/index.ts | 0 .../log_threshold/reason_formatters.ts | 0 .../register_log_threshold_rule_type.ts | 0 .../lib/check_missing_group.ts | 0 ...onvert_strings_to_missing_groups_record.ts | 0 .../lib/create_bucket_selector.ts | 0 .../lib/create_condition_script.ts | 0 .../lib/create_percentile_aggregation.ts | 0 .../lib/create_rate_aggregation.ts | 0 .../lib/create_timerange.test.ts | 0 .../metric_threshold/lib/create_timerange.ts | 0 .../metric_threshold/lib/evaluate_rule.ts | 0 .../alerting/metric_threshold/lib/get_data.ts | 0 .../lib/metric_expression_params.ts | 0 .../metric_threshold/lib/metric_query.test.ts | 0 .../metric_threshold/lib/metric_query.ts | 0 .../metric_threshold/lib/wrap_in_period.ts | 0 .../metric_threshold_executor.test.ts | 0 .../metric_threshold_executor.ts | 0 .../register_metric_threshold_rule_type.ts | 0 .../alerting/metric_threshold/test_mocks.ts | 0 .../lib/alerting/register_rule_types.ts | 0 .../server/lib/cancel_request_on_abort.ts | 0 .../plugins}/infra/server/lib/constants.ts | 0 .../lib/create_custom_metrics_aggregations.ts | 0 .../infra/server/lib/create_search_client.ts | 0 .../server/lib/domains/metrics_domain.ts | 0 .../lib/helpers/get_apm_data_access_client.ts | 0 .../lib/helpers/get_infra_alerts_client.ts | 0 .../helpers/get_infra_metrics_client.test.ts | 0 .../lib/helpers/get_infra_metrics_client.ts | 0 .../server/lib/host_details/process_list.ts | 0 .../lib/host_details/process_list_chart.ts | 0 .../infra/server/lib/infra_ml/common.ts | 0 .../infra/server/lib/infra_ml/errors.ts | 0 .../infra/server/lib/infra_ml/index.ts | 0 .../lib/infra_ml/metrics_hosts_anomalies.ts | 0 .../lib/infra_ml/metrics_k8s_anomalies.ts | 0 .../server/lib/infra_ml/queries/common.ts | 0 .../server/lib/infra_ml/queries/index.ts | 0 .../infra_ml/queries/log_entry_data_sets.ts | 0 .../queries/metrics_host_anomalies.test.ts | 0 .../queries/metrics_hosts_anomalies.ts | 0 .../queries/metrics_k8s_anomalies.test.ts | 0 .../infra_ml/queries/metrics_k8s_anomalies.ts | 0 .../server/lib/infra_ml/queries/ml_jobs.ts | 0 .../plugins}/infra/server/lib/infra_types.ts | 0 .../infra/server/lib/log_analysis/common.ts | 0 .../infra/server/lib/log_analysis/errors.ts | 0 .../infra/server/lib/log_analysis/index.ts | 0 .../lib/log_analysis/log_entry_anomalies.ts | 0 .../log_entry_categories_analysis.ts | 0 .../log_entry_categories_datasets_stats.ts | 0 .../log_analysis/log_entry_rate_analysis.ts | 0 .../server/lib/log_analysis/queries/common.ts | 0 .../server/lib/log_analysis/queries/index.ts | 0 ...est_log_entry_categories_datasets_stats.ts | 0 .../queries/log_entry_anomalies.ts | 0 .../queries/log_entry_categories.ts | 0 .../queries/log_entry_category_examples.ts | 0 .../queries/log_entry_category_histograms.ts | 0 .../queries/log_entry_data_sets.ts | 0 .../queries/log_entry_examples.ts | 0 .../log_analysis/queries/log_entry_rate.ts | 0 .../lib/log_analysis/queries/ml_jobs.ts | 0 .../queries/top_log_entry_categories.ts | 0 .../lib/log_analysis/resolve_id_formats.ts | 0 .../infra/server/lib/metrics/constants.ts | 0 .../infra/server/lib/metrics/index.ts | 0 ...ert_buckets_to_metrics_series.test.ts.snap | 0 .../create_aggregations.test.ts.snap | 0 .../create_metrics_aggregations.test.ts.snap | 0 .../calculate_auto.test.ts | 0 .../calculate_bucket_size/calculate_auto.ts | 0 .../calculate_bucket_size.test.ts | 0 .../lib/calculate_bucket_size/index.ts | 0 .../interval_regex.test.ts | 0 .../calculate_bucket_size/interval_regex.ts | 0 .../unit_to_seconds.test.ts | 0 .../calculate_bucket_size/unit_to_seconds.ts | 0 .../calculate_date_histogram_offset.test.ts | 0 .../lib/calculate_date_histogram_offset.ts | 0 .../lib/metrics/lib/calculate_interval.ts | 0 .../convert_buckets_to_metrics_series.test.ts | 0 .../lib/convert_buckets_to_metrics_series.ts | 0 .../metrics/lib/create_aggregations.test.ts | 0 .../lib/metrics/lib/create_aggregations.ts | 0 .../lib/create_metrics_aggregations.test.ts | 0 .../lib/create_metrics_aggregations.ts | 0 .../infra/server/lib/metrics/types.ts | 0 .../infra/server/lib/source_status.ts | 0 .../infra/server/lib/sources/defaults.ts | 0 .../infra/server/lib/sources/errors.ts | 0 .../infra/server/lib/sources/has_data.ts | 0 .../infra/server/lib/sources/index.ts | 0 ...0_convert_log_alias_to_log_indices.test.ts | 0 ...7_13_0_convert_log_alias_to_log_indices.ts | 0 ...t_inventory_default_view_reference.test.ts | 0 ...xtract_inventory_default_view_reference.ts | 0 ...cs_explorer_default_view_reference.test.ts | 0 ...metrics_explorer_default_view_reference.ts | 0 ..._new_indexing_strategy_index_names.test.ts | 0 ...0_add_new_indexing_strategy_index_names.ts | 0 .../migrations/compose_migrations.test.ts | 0 .../sources/migrations/compose_migrations.ts | 0 .../create_test_source_configuration.ts | 0 .../infra/server/lib/sources/mocks.ts | 0 .../sources/saved_object_references.test.ts | 0 .../lib/sources/saved_object_references.ts | 0 .../server/lib/sources/saved_object_type.ts | 0 .../infra/server/lib/sources/sources.test.ts | 0 .../infra/server/lib/sources/sources.ts | 0 .../infra/server/lib/sources/types.ts | 0 .../plugins}/infra/server/mocks.ts | 0 .../plugins}/infra/server/plugin.ts | 0 .../custom_dashboards/custom_dashboards.ts | 0 .../delete_custom_dashboard.ts | 0 .../custom_dashboards/get_custom_dashboard.ts | 0 .../lib/check_custom_dashboards_enabled.ts | 0 .../lib/delete_custom_dashboard.ts | 0 .../lib/find_custom_dashboard.ts | 0 .../save_custom_dashboard.ts | 0 .../update_custom_dashboard.ts | 0 .../entities/get_data_stream_types.test.ts | 0 .../routes/entities/get_data_stream_types.ts | 0 .../routes/entities/get_has_metrics_data.ts | 0 .../routes/entities/get_latest_entity.ts | 0 .../infra/server/routes/entities/index.ts | 0 .../infra/server/routes/infra/README.md | 0 .../infra/server/routes/infra/index.ts | 0 .../server/routes/infra/lib/constants.ts | 0 .../server/routes/infra/lib/helpers/query.ts | 0 .../routes/infra/lib/host/get_all_hosts.ts | 0 .../routes/infra/lib/host/get_apm_hosts.ts | 0 .../infra/lib/host/get_filtered_hosts.ts | 0 .../server/routes/infra/lib/host/get_hosts.ts | 0 .../infra/lib/host/get_hosts_alerts_count.ts | 0 .../routes/infra/lib/host/get_hosts_count.ts | 0 .../infra/server/routes/infra/lib/types.ts | 0 .../server/routes/infra/lib/utils.test.ts | 0 .../infra/server/routes/infra/lib/utils.ts | 0 .../infra/server/routes/infra_ml/index.ts | 0 .../server/routes/infra_ml/results/index.ts | 0 .../results/metrics_hosts_anomalies.ts | 0 .../infra_ml/results/metrics_k8s_anomalies.ts | 0 .../server/routes/inventory_metadata/index.ts | 0 .../lib/get_cloud_metadata.ts | 0 .../server/routes/inventory_views/README.md | 0 .../inventory_views/create_inventory_view.ts | 0 .../inventory_views/delete_inventory_view.ts | 0 .../inventory_views/find_inventory_view.ts | 0 .../inventory_views/get_inventory_view.ts | 0 .../server/routes/inventory_views/index.ts | 0 .../inventory_views/update_inventory_view.ts | 0 .../infra/server/routes/ip_to_hostname.ts | 0 .../routes/log_alerts/chart_preview_data.ts | 0 .../infra/server/routes/log_alerts/index.ts | 0 .../server/routes/log_analysis/id_formats.ts | 0 .../infra/server/routes/log_analysis/index.ts | 0 .../routes/log_analysis/results/index.ts | 0 .../results/log_entry_anomalies.ts | 0 .../results/log_entry_anomalies_datasets.ts | 0 .../results/log_entry_categories.ts | 0 .../results/log_entry_category_datasets.ts | 0 .../log_entry_category_datasets_stats.ts | 0 .../results/log_entry_category_examples.ts | 0 .../results/log_entry_examples.ts | 0 .../log_analysis/validation/datasets.ts | 0 .../routes/log_analysis/validation/index.ts | 0 .../routes/log_analysis/validation/indices.ts | 0 .../infra/server/routes/metadata/index.ts | 0 .../metadata/lib/get_cloud_metric_metadata.ts | 0 .../metadata/lib/get_metric_metadata.ts | 0 .../routes/metadata/lib/get_node_info.ts | 0 .../routes/metadata/lib/get_pod_node_name.ts | 0 .../routes/metadata/lib/pick_feature_name.ts | 0 .../routes/metrics_explorer_views/README.md | 0 .../create_metrics_explorer_view.ts | 0 .../delete_metrics_explorer_view.ts | 0 .../find_metrics_explorer_view.ts | 0 .../get_metrics_explorer_view.ts | 0 .../routes/metrics_explorer_views/index.ts | 0 .../update_metrics_explorer_view.ts | 0 .../server/routes/metrics_sources/index.ts | 0 .../infra/server/routes/node_details/index.ts | 0 .../infra/server/routes/overview/index.ts | 0 ...nvert_es_response_to_top_nodes_response.ts | 0 .../overview/lib/create_top_nodes_query.ts | 0 .../lib/get_matadata_from_node_bucket.ts | 0 .../routes/overview/lib/get_top_nodes.ts | 0 .../infra/server/routes/overview/lib/types.ts | 0 .../infra/server/routes/process_list/index.ts | 0 .../infra/server/routes/profiling/index.ts | 0 .../lib/fetch_profiling_flamegraph.ts | 0 .../lib/fetch_profiling_functions.ts | 0 .../profiling/lib/fetch_profiling_status.ts | 0 .../lib/get_profiling_data_access.ts | 0 .../infra/server/routes/services/index.ts | 0 .../infra/server/routes/services/lib/utils.ts | 0 .../infra/server/routes/snapshot/index.ts | 0 .../lib/apply_metadata_to_last_path.ts | 0 .../server/routes/snapshot/lib/constants.ts | 0 .../snapshot/lib/copy_missing_metrics.ts | 0 .../lib/create_timerange_with_interval.ts | 0 .../snapshot/lib/get_dataset_for_field.ts | 0 .../snapshot/lib/get_metrics_aggregations.ts | 0 .../server/routes/snapshot/lib/get_nodes.ts | 0 .../routes/snapshot/lib/query_all_data.ts | 0 .../lib/transform_metrics_ui_response.test.ts | 0 .../lib/transform_metrics_ui_response.ts | 0 ...orm_request_to_metrics_api_request.test.ts | 0 ...ransform_request_to_metrics_api_request.ts | 0 ...snapshot_metrics_to_metrics_api_metrics.ts | 0 .../custom_dashboards_saved_object.ts | 0 .../infra/server/saved_objects/index.ts | 0 .../saved_objects/inventory_view/index.ts | 0 .../inventory_view_saved_object.ts | 0 .../saved_objects/inventory_view/types.ts | 0 .../metrics_explorer_view/index.ts | 0 .../metrics_explorer_view_saved_object.ts | 0 .../metrics_explorer_view/types.ts | 0 .../server/saved_objects/references.test.ts | 0 .../infra}/server/saved_objects/references.ts | 0 .../server/services/inventory_views/index.ts | 0 .../inventory_views_client.mock.ts | 0 .../inventory_views_client.test.ts | 0 .../inventory_views/inventory_views_client.ts | 0 .../inventory_views_service.mock.ts | 0 .../inventory_views_service.ts | 0 .../server/services/inventory_views/types.ts | 0 .../services/metrics_explorer_views/index.ts | 0 .../metrics_explorer_views_client.mock.ts | 0 .../metrics_explorer_views_client.test.ts | 0 .../metrics_explorer_views_client.ts | 0 .../metrics_explorer_views_service.mock.ts | 0 .../metrics_explorer_views_service.ts | 0 .../services/metrics_explorer_views/types.ts | 0 .../infra/server/services/rules/index.ts | 0 .../server/services/rules/rule_data_client.ts | 0 .../server/services/rules/rules_service.ts | 0 .../infra/server/services/rules/types.ts | 0 .../plugins}/infra/server/types.ts | 0 .../infra/server/usage/usage_collector.ts | 0 .../plugins}/infra/server/utils/README.md | 0 .../server/utils/calculate_metric_interval.ts | 0 .../utils/elasticsearch_runtime_types.ts | 0 .../server/utils/get_original_action_group.ts | 0 .../infra/server/utils/handle_route_errors.ts | 0 .../utils/map_source_to_log_view.test.ts | 0 .../server/utils/map_source_to_log_view.ts | 0 .../infra/server/utils/request_context.ts | 0 .../server/utils/route_validation.test.ts | 0 .../infra/server/utils/route_validation.ts | 0 .../infra}/server/utils/serialized_query.ts | 0 .../plugins}/infra/tsconfig.json | 4 +- .../.storybook/__mocks__/package_icon.tsx | 0 .../plugins}/logs_explorer/.storybook/main.js | 0 .../logs_explorer/.storybook/preview.js | 0 .../plugins}/logs_explorer/README.md | 0 .../logs_explorer/common/constants.ts | 0 .../available_control_panels.ts | 0 .../common/control_panels/index.ts | 0 .../common/control_panels/types.ts | 0 .../all_dataset_selection.ts | 0 .../data_view_selection.ts | 0 .../hydrate_data_source_selection.ts | 0 .../common/data_source_selection/index.ts | 0 .../single_dataset_selection.ts | 0 .../common/data_source_selection/types.ts | 0 .../unresolved_dataset_selection.ts | 0 .../models/data_view_descriptor.test.ts | 0 .../data_views/models/data_view_descriptor.ts | 0 .../logs_explorer/common/data_views/types.ts | 0 .../logs_explorer/common/datasets/errors.ts | 0 .../logs_explorer/common/datasets/index.ts | 0 .../common/datasets/models/dataset.ts | 0 .../common/datasets/models/integration.ts | 0 .../logs_explorer/common/datasets/types.ts | 0 .../common/datasets/v1/common.ts | 0 .../common/datasets/v1/find_datasets.ts | 0 .../common/datasets/v1/find_integrations.ts | 0 .../logs_explorer/common/datasets/v1/index.ts | 0 .../common/display_options/index.ts | 0 .../common/display_options/types.ts | 0 .../logs_explorer/common/hashed_cache.ts | 0 .../plugins}/logs_explorer/common/index.ts | 0 .../plugins}/logs_explorer/common/latest.ts | 0 .../logs_explorer/common/locators/index.ts | 0 .../common/locators/logs_explorer/index.ts | 0 .../logs_explorer_locator.test.ts | 0 .../logs_explorer/logs_explorer_locator.ts | 0 .../common/locators/logs_explorer/types.ts | 0 .../logs_explorer/common/plugin_config.ts | 0 .../logs_explorer/common/ui_settings.ts | 0 .../plugins/logs_explorer/jest.config.js | 18 ++ .../plugins}/logs_explorer/kibana.jsonc | 0 .../public/components/common/translations.tsx | 3 +- .../data_source_selector/constants.tsx | 0 .../data_source_selector.stories.tsx | 0 .../data_source_selector.tsx | 0 .../components/data_source_selector/index.ts | 0 .../state_machine/defaults.ts | 0 .../state_machine/index.ts | 0 .../state_machine/state_machine.ts | 0 .../state_machine/types.ts | 0 .../state_machine/use_data_source_selector.ts | 0 .../sub_components/add_data_button.tsx | 0 .../sub_components/data_view_filter.tsx | 0 .../sub_components/data_view_menu_item.tsx | 0 .../sub_components/datasets_skeleton.tsx | 0 .../sub_components/list_status.tsx | 0 .../sub_components/search_controls.tsx | 0 .../sub_components/selector_footer.tsx | 0 .../sub_components/selector_popover.tsx | 0 .../components/data_source_selector/types.ts | 0 .../components/data_source_selector/utils.tsx | 0 .../public/components/logs_explorer/index.ts | 0 .../logs_explorer/logs_explorer.tsx | 0 .../column_tooltips/field_with_token.tsx | 0 .../column_tooltips/tooltip_button.tsx | 0 .../public/controller/create_controller.ts | 0 .../public/controller/custom_data_service.ts | 0 .../controller/custom_ui_settings_service.ts | 0 .../controller/custom_url_state_storage.ts | 0 .../logs_explorer/public/controller/index.ts | 0 .../controller/lazy_create_controller.ts | 0 .../public/controller/provider.ts | 0 .../public/controller/public_state.ts | 0 .../logs_explorer/public/controller/types.ts | 0 .../customizations/custom_control_column.tsx | 0 .../custom_data_source_filters.tsx | 0 .../custom_data_source_selector.tsx | 0 .../customizations/custom_search_bar.tsx | 0 .../custom_unified_histogram.ts | 0 .../customizations/logs_explorer_profile.tsx | 0 .../public/customizations/types.ts | 0 .../public/hooks/use_control_panels.tsx | 0 .../public/hooks/use_data_source_selection.ts | 0 .../public/hooks/use_data_views.tsx | 0 .../public/hooks/use_datasets.ts | 0 .../logs_explorer/public/hooks/use_esql.tsx | 0 .../public/hooks/use_integrations.ts | 0 .../public/hooks/use_intersection_ref.ts | 0 .../plugins}/logs_explorer/public/index.ts | 0 .../plugins}/logs_explorer/public/plugin.ts | 0 .../services/datasets/datasets_client.mock.ts | 0 .../services/datasets/datasets_client.ts | 0 .../datasets/datasets_service.mock.ts | 0 .../services/datasets/datasets_service.ts | 0 .../public/services/datasets/index.ts | 0 .../public/services/datasets/types.ts | 0 .../state_machines/data_views}/index.ts | 0 .../state_machines/data_views/src/defaults.ts | 0 .../state_machines/data_views/src/index.ts | 0 .../src/services/data_views_service.ts | 0 .../data_views/src/state_machine.ts | 0 .../state_machines/data_views/src/types.ts | 0 .../public/state_machines/datasets}/index.ts | 0 .../state_machines/datasets/src/defaults.ts | 0 .../state_machines/datasets/src/index.ts | 0 .../datasets/src/state_machine.ts | 0 .../state_machines/datasets/src/types.ts | 0 .../state_machines/integrations}/index.ts | 0 .../integrations/src/defaults.ts | 0 .../state_machines/integrations/src/index.ts | 0 .../integrations/src/state_machine.ts | 0 .../state_machines/integrations/src/types.ts | 0 .../logs_explorer_controller}/index.ts | 0 .../src/default_all_selection.ts | 0 .../logs_explorer_controller/src/defaults.ts | 0 .../logs_explorer_controller/src/index.ts | 0 .../src/notifications.ts | 0 .../src/public_events.ts | 0 .../src/services/control_panels.ts | 0 .../src/services/data_view_service.ts | 0 .../src/services/discover_service.ts | 0 .../src/services/selection_service.ts | 0 .../src/services/timefilter_service.ts | 0 .../src/state_machine.ts | 0 .../logs_explorer_controller/src/types.ts | 0 .../plugins}/logs_explorer/public/types.ts | 0 .../public/utils/comparator_by_field.ts | 0 .../utils/convert_discover_app_state.ts | 0 .../public/utils/get_data_view_test_subj.ts | 0 .../logs_explorer/public/utils/proxies.ts | 0 .../logs_explorer/public/utils/use_kibana.tsx | 0 .../plugins}/logs_explorer/server/index.ts | 0 .../plugins}/logs_explorer/server/plugin.ts | 0 .../plugins}/logs_explorer/server/types.ts | 0 .../plugins}/logs_explorer/tsconfig.json | 4 +- .../observability/public/utils/datemath.ts | 2 +- .../.storybook/__mocks__/package_icon.tsx | 0 .../.storybook/main.js | 0 .../.storybook/preview.js | 0 .../observability_logs_explorer/README.md | 4 +- .../common/index.ts | 0 .../common/locators/all_datasets_locator.ts | 0 .../common/locators/data_view_locator.ts | 0 .../common/locators/index.ts | 0 .../common/locators/locators.test.ts | 0 .../common/locators/single_dataset_locator.ts | 0 .../common/locators/types.ts | 0 .../locators/utils/construct_locator_path.ts | 0 .../common/locators/utils/index.ts | 0 .../common/plugin_config.ts | 0 .../common/telemetry_events.ts | 0 .../common/translations.ts | 0 .../common/url_schema/common.ts | 0 .../common/url_schema/index.ts | 0 .../url_schema/logs_explorer/url_schema_v1.ts | 0 .../url_schema/logs_explorer/url_schema_v2.ts | 0 .../common/utils/deep_compact_object.ts | 0 .../observability_logs_explorer/emotion.d.ts | 0 .../jest.config.js | 18 ++ .../observability_logs_explorer/kibana.jsonc | 0 .../applications/last_used_logs_viewer.tsx | 0 .../observability_logs_explorer.tsx | 0 ...edirect_to_observability_logs_explorer.tsx | 0 .../public/components/alerts_popover.tsx | 0 .../components/dataset_quality_link.tsx | 0 .../public/components/discover_link.tsx | 0 .../public/components/feedback_link.tsx | 0 .../components/logs_explorer_top_nav_menu.tsx | 0 .../public/components/onboarding_link.tsx | 0 .../public/components/page_template.tsx | 0 .../public/index.ts | 0 .../discover_navigation_handler.ts | 0 .../logs_explorer_customizations/index.ts | 0 .../public/plugin.ts | 0 .../public/routes/main/index.tsx | 0 .../public/routes/main/main_route.tsx | 0 .../public/routes/not_found.tsx | 0 .../public/state_machines/index.ts | 0 .../src/all_selection_service.ts | 0 .../src/controller_service.ts | 0 .../src/defaults.ts | 0 .../observability_logs_explorer/src/index.ts | 0 .../src/provider.ts | 0 .../src/state_machine.ts | 0 .../src/telemetry_events.ts | 0 .../src/time_filter_service.ts | 0 .../observability_logs_explorer/src/types.ts | 0 .../src/url_schema_v1.ts | 0 .../src/url_schema_v2.ts | 0 .../src/url_state_storage_service.ts | 0 .../origin_interpreter/src/component.tsx | 0 .../origin_interpreter/src/constants.ts | 0 .../origin_interpreter/src/defaults.ts | 0 .../origin_interpreter/src/lazy_component.tsx | 0 .../src/location_state_service.ts | 0 .../origin_interpreter/src/notifications.tsx | 0 .../origin_interpreter/src/state_machine.ts | 0 .../origin_interpreter/src/types.ts | 0 .../public/types.ts | 0 .../public/utils/breadcrumbs.tsx | 0 .../public/utils/kbn_url_state_context.ts | 0 .../public/utils/use_kibana.tsx | 0 .../server/config.ts | 0 .../server/index.ts | 0 .../server/plugin.ts | 0 .../observability_logs_explorer/tsconfig.json | 4 +- .../observability_onboarding/README.md | 0 .../common/aws_firehose.ts | 0 .../generate_custom_logs_yml.test.ts.snap | 0 .../generate_custom_logs_yml.test.ts | 0 .../custom_logs/generate_custom_logs_yml.ts | 0 .../common/elastic_agent_logs/index.ts | 0 .../common/es_fields.ts | 0 .../common/fetch_options.ts | 0 .../observability_onboarding/common/index.ts | 0 .../common/logs_flow_progress_step_id.ts | 0 .../common/telemetry_events.ts | 0 .../observability_onboarding/common/types.ts | 0 .../observability_onboarding/e2e/README.md | 12 +- .../e2e/cypress.config.ts | 0 .../e2e/cypress/e2e/home.cy.ts | 0 .../e2e/logs/custom_logs/configure.cy.ts | 0 .../custom_logs/install_elastic_agent.cy.ts | 0 .../e2e/cypress/e2e/logs/feedback.cy.ts | 0 .../e2e/cypress/e2e/navigation.cy.ts | 0 .../e2e/cypress/support/commands.ts | 0 .../e2e/cypress/support/e2e.ts | 0 .../e2e/cypress/support/types.d.ts | 0 .../e2e/cypress_test_runner.ts | 0 .../e2e/ftr_config.ts | 0 .../e2e/ftr_config_open.ts | 0 .../e2e/ftr_config_runner.ts | 0 .../e2e/ftr_kibana.yml | 0 .../e2e/ftr_provider_context.d.ts | 0 .../observability_onboarding/e2e/kibana.jsonc | 0 .../e2e/playwright/.gitignore | 0 .../e2e/playwright/README.md | 4 +- .../e2e/playwright/lib/assert_env.ts | 0 .../e2e/playwright/lib/helpers.ts | 0 .../e2e/playwright/lib/logger.ts | 0 .../e2e/playwright/playwright.config.ts | 0 .../e2e/playwright/stateful/auth.ts | 0 .../playwright/stateful/auto_detect.spec.ts | 0 .../playwright/stateful/fixtures/base_page.ts | 0 .../playwright/stateful/kubernetes_ea.spec.ts | 0 .../pom/components/header_bar.component.ts | 0 .../components/space_selector.component.ts | 0 .../pom/pages/auto_detect_flow.page.ts | 0 .../stateful/pom/pages/host_details.page.ts | 0 .../pom/pages/kubernetes_ea_flow.page.ts | 0 .../kubernetes_overview_dashboard.page.ts | 0 .../pom/pages/onboarding_home.page.ts | 0 .../e2e/tsconfig.json | 4 +- .../observability_onboarding/jest.config.js | 4 +- .../observability_onboarding/kibana.jsonc | 0 .../public/application/app.tsx | 0 .../public/application/footer/demo_icon.svg | 0 .../public/application/footer/docs_icon.svg | 0 .../public/application/footer/footer.tsx | 0 .../public/application/footer/forum_icon.svg | 0 .../application/footer/support_icon.svg | 0 .../public/application/header/background.svg | 0 .../application/header/custom_header.test.tsx | 0 .../application/header/custom_header.tsx | 0 .../public/application/header/header.tsx | 0 .../public/application/header/index.ts | 0 .../observability_onboarding_flow.tsx | 0 .../onboarding_flow_form.tsx | 0 .../application/onboarding_flow_form/types.ts | 0 .../use_custom_cards_for_category.tsx | 0 .../use_virtual_search_results.ts | 0 .../application/packages_list/index.tsx | 0 .../public/application/packages_list/lazy.tsx | 0 .../public/application/packages_list/types.ts | 0 .../use_integration_card_list.test.ts | 0 .../use_integration_card_list.ts | 0 .../public/application/pages/auto_detect.tsx | 0 .../public/application/pages/custom_logs.tsx | 0 .../public/application/pages/firehose.tsx | 0 .../public/application/pages/index.ts | 0 .../public/application/pages/kubernetes.tsx | 0 .../public/application/pages/landing.tsx | 0 .../application/pages/otel_kubernetes.tsx | 0 .../public/application/pages/otel_logs.tsx | 0 .../public/application/pages/template.tsx | 0 .../auto_detect/auto_detect_panel.tsx | 0 .../auto_detect/get_auto_detect_command.tsx | 0 .../get_installed_integrations.tsx | 0 .../auto_detect/get_onboarding_status.tsx | 0 .../quickstart_flows/auto_detect/index.tsx | 0 .../supported_integrations_list.tsx | 0 .../use_auto_detect_telemetry.test.ts | 0 .../auto_detect/use_auto_detect_telemetry.ts | 0 .../auto_detect/use_onboarding_flow.tsx | 2 +- .../custom_logs/api_key_banner.tsx | 0 .../custom_logs/configure_logs.tsx | 0 .../custom_logs/get_filename.test.ts | 0 .../custom_logs/get_filename.ts | 0 .../quickstart_flows/custom_logs/index.tsx | 0 .../quickstart_flows/custom_logs/inspect.tsx | 0 .../custom_logs/install_elastic_agent.tsx | 6 +- .../firehose/auto_refresh_callout.tsx | 0 .../firehose/create_stack_command_snippet.tsx | 0 .../firehose/create_stack_in_aws_console.tsx | 0 .../firehose/download_template_callout.tsx | 0 .../firehose/existing_data_callout.tsx | 0 .../quickstart_flows/firehose/index.tsx | 0 .../firehose/progress_callout.tsx | 0 .../quickstart_flows/firehose/types.ts | 0 .../use_aws_service_get_started_list.ts | 0 .../firehose/use_firehose_flow.ts | 0 .../firehose/use_populated_aws_index_list.ts | 0 .../quickstart_flows/firehose/utils.ts | 0 .../firehose/visualize_data.tsx | 0 .../kubernetes/build_kubectl_command.ts | 0 .../kubernetes/command_snippet.tsx | 0 .../kubernetes/data_ingest_status.tsx | 0 .../quickstart_flows/kubernetes/index.tsx | 0 .../kubernetes/use_kubernetes_flow.ts | 0 .../otel_kubernetes/index.tsx | 0 .../otel_kubernetes/otel_kubernetes_panel.tsx | 0 .../quickstart_flows/otel_logs/index.tsx | 0 .../multi_integration_install_banner.tsx | 0 .../shared/accordion_with_icon.tsx | 0 .../shared/copy_to_clipboard_button.tsx | 0 .../quickstart_flows/shared/empty_prompt.tsx | 0 .../shared/feedback_buttons.tsx | 0 .../shared/get_elastic_agent_setup_command.ts | 0 .../shared/get_started_panel.tsx | 0 .../shared/install_elastic_agent_steps.tsx | 0 .../shared/locator_button_empty.tsx | 0 .../shared/optional_form_row.tsx | 0 .../shared/popover_tooltip.tsx | 0 .../shared/progress_indicator.tsx | 0 .../quickstart_flows/shared/step_panel.tsx | 0 .../quickstart_flows/shared/step_status.tsx | 0 .../shared/troubleshooting_link.tsx | 0 ...use_window_blur_data_monitoring_trigger.ts | 0 .../shared/windows_install_step.tsx | 0 .../public/application/shared/back_button.tsx | 0 .../application/shared/header_action_menu.tsx | 0 .../public/application/shared/logo_icon.tsx | 0 .../application/shared/test_wrapper.tsx | 0 .../application/shared/use_custom_margin.ts | 0 .../public/assets/apache.svg | 0 .../public/assets/apache_tomcat.svg | 0 .../public/assets/apple.svg | 0 .../public/assets/auto_detect.sh | 0 .../public/assets/charts_screen.svg | 0 .../public/assets/docker.svg | 0 .../public/assets/dotnet.svg | 0 .../public/assets/firehose.svg | 0 .../public/assets/haproxy.svg | 0 .../public/assets/integrations.conf | 0 .../public/assets/java.svg | 0 .../public/assets/javascript.svg | 0 .../public/assets/kafka.svg | 0 .../public/assets/kubernetes.svg | 0 .../public/assets/linux.svg | 0 .../public/assets/mongodb.svg | 0 .../public/assets/mysql.svg | 0 .../public/assets/nginx.svg | 0 .../public/assets/opentelemetry.svg | 0 .../public/assets/postgresql.svg | 0 .../public/assets/rabbitmq.svg | 0 .../public/assets/redis.svg | 0 .../public/assets/ruby.svg | 0 .../public/assets/standalone_agent_setup.sh | 0 .../public/assets/system.svg | 0 .../public/assets/waterfall_screen.svg | 0 .../public/context/create_wizard_context.tsx | 0 .../public/context/nav_events.ts | 0 .../public/context/path.ts | 0 .../public/hooks/use_fetcher.tsx | 0 .../use_flow_progress_telemetry.test.tsx | 0 .../hooks/use_flow_progress_telemetry.ts | 0 .../public/hooks/use_install_integrations.ts | 0 .../public/hooks/use_kibana.ts | 0 .../public/hooks/use_kibana_navigation.ts | 0 .../public/icons/apache.svg | 0 .../public/icons/apm.svg | 0 .../public/icons/aws.svg | 0 .../public/icons/azure.svg | 0 .../public/icons/gcp.svg | 0 .../public/icons/kinesis.svg | 0 .../public/icons/kubernetes.svg | 0 .../public/icons/logging.svg | 0 .../public/icons/nginx.svg | 0 .../public/icons/opentelemetry.svg | 0 .../public/icons/system.svg | 0 .../public/icons/universal_profiling.svg | 0 .../observability_onboarding/public/index.ts | 0 .../public/locators/index.ts | 0 .../onboarding_locator/get_location.test.ts | 0 .../onboarding_locator/get_location.ts | 0 .../locator_definition.test.ts | 0 .../onboarding_locator/locator_definition.ts | 0 .../locators/onboarding_locator/types.ts | 0 .../observability_onboarding/public/plugin.ts | 0 .../public/services/rest/call_api.ts | 0 .../public/services/rest/create_call_api.ts | 0 .../scripts/test/api.js | 0 .../scripts/test/e2e.js | 0 .../scripts/test/jest.js | 0 .../observability_onboarding/server/config.ts | 0 .../observability_onboarding/server/index.ts | 0 .../lib/api_key/create_install_api_key.ts | 0 .../lib/api_key/create_shipper_api_key.ts | 0 .../api_key/has_log_monitoring_privileges.ts | 0 .../server/lib/api_key/privileges.ts | 0 .../server/lib/get_agent_version.ts | 0 .../server/lib/get_authentication_api_key.ts | 0 .../server/lib/get_fallback_urls.ts | 0 .../get_observability_onboarding_flow.ts | 0 .../server/lib/state/index.ts | 0 .../save_observability_onboarding_flow.ts | 0 .../observability_onboarding/server/plugin.ts | 0 ...e_observability_onboarding_server_route.ts | 0 .../server/routes/elastic_agent/route.ts | 0 .../server/routes/firehose/route.ts | 0 .../server/routes/flow/get_has_logs.ts | 0 .../server/routes/flow/make_tar.test.ts | 0 .../server/routes/flow/make_tar.ts | 0 .../server/routes/flow/route.ts | 0 .../server/routes/index.ts | 0 .../server/routes/kubernetes/route.ts | 0 .../server/routes/logs/route.ts | 0 .../server/routes/types.ts | 0 .../observability_onboarding_status.ts | 0 .../services/es_legacy_config_service.ts | 0 .../authentication.ts | 0 .../helpers/call_kibana.ts | 0 .../helpers/create_custom_role.ts | 0 .../helpers/create_or_update_user.ts | 0 .../index.ts | 0 .../observability_onboarding/server/types.ts | 0 .../observability_onboarding/tsconfig.json | 4 +- yarn.lock | 38 ++-- 2566 files changed, 637 insertions(+), 697 deletions(-) delete mode 100644 packages/kbn-custom-integrations/jest.config.js delete mode 100644 packages/kbn-custom-integrations/src/components/index.ts delete mode 100644 packages/kbn-custom-integrations/src/hooks/index.ts delete mode 100644 packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts delete mode 100644 packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts delete mode 100644 packages/kbn-custom-integrations/src/state_machines/index.ts delete mode 100644 packages/kbn-router-utils/jest.config.js delete mode 100644 packages/kbn-timerange/jest.config.js rename {packages => src/platform/packages/shared}/kbn-custom-icons/.storybook/main.js (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/android.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/cpp.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/cpp_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/default.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/dot_net.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/erlang.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/erlang_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/functions.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/go.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/ios.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/ios_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/java.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/lambda.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/nodejs.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/ocaml.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/opentelemetry.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/otel_default.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/php.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/php_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/python.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/ruby.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/rumjs.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/rumjs_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/rust.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/assets/rust_dark.svg (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/index.ts (100%) rename {packages/kbn-discover-contextual-components => src/platform/packages/shared/kbn-custom-icons}/jest.config.js (83%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/agent_icon/agent_icon.stories.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/agent_icon/get_agent_icon.test.ts (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/agent_icon/index.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/cloud_provider_icon/cloud_provider_icon.stories.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-custom-icons/tsconfig.json (86%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/index.ts (100%) create mode 100644 src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/cell_actions_popover.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.test.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.test.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/data_types/logs/components/translations.tsx (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/src/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-discover-contextual-components/tsconfig.json (93%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/index.ts (100%) create mode 100644 src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/src/agent_guards.test.ts (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/src/agent_guards.ts (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/src/agent_names.ts (100%) rename {packages => src/platform/packages/shared}/kbn-elastic-agent-utils/tsconfig.json (79%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/index.ts (100%) rename {packages/kbn-elastic-agent-utils => src/platform/packages/shared/kbn-react-hooks}/jest.config.js (83%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/src/use_boolean/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/src/use_boolean/use_boolean.test.ts (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/src/use_boolean/use_boolean.ts (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/src/use_error_text_style/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts (100%) rename {packages => src/platform/packages/shared}/kbn-react-hooks/tsconfig.json (82%) rename {packages => src/platform/packages/shared}/kbn-router-utils/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-router-utils/index.ts (100%) rename {packages/kbn-react-hooks => src/platform/packages/shared/kbn-router-utils}/jest.config.js (83%) rename {packages => src/platform/packages/shared}/kbn-router-utils/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-router-utils/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-router-utils/src/get_router_link_props/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-router-utils/tsconfig.json (82%) rename {packages => src/platform/packages/shared}/kbn-timerange/BUILD.bazel (100%) rename {packages => src/platform/packages/shared}/kbn-timerange/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-timerange/index.ts (100%) rename {packages/kbn-custom-icons => src/platform/packages/shared/kbn-timerange}/jest.config.js (84%) rename {packages => src/platform/packages/shared}/kbn-timerange/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-timerange/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-timerange/src/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-timerange/tsconfig.json (83%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/README.md (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/jest.config.js (84%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/kibana.jsonc (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/package.json (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/actions.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/console_inspector.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/dev_tools.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/index.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/notification_channel.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/src/types.ts (100%) rename {packages => src/platform/packages/shared}/kbn-xstate-utils/tsconfig.json (80%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/README.md (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/jest.config.js (72%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/kibana.jsonc (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/package.json (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/discover_link/discover_link.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/discover_link/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_control_bar.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_error_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_change_time_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_change_type_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_control_columns.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_count_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_expand_button.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_histogram_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_grid_pattern_cell.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_loading_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_categories/log_categories_result_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_category_details/log_category_details_error_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_category_details/log_category_details_flyout.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_category_details/log_category_details_loading_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/log_category_details/log_category_document_examples_table.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/logs_overview/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/logs_overview/logs_overview.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/components/shared/log_category_pattern.tsx (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/categorize_documents.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/categorize_logs_service.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/count_documents.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/queries.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/categorize_logs_service/types.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/category_details_service/category_details_service.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/category_details_service/index.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/services/category_details_service/types.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/types.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/utils/log_category.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/utils/logs_source.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/src/utils/xstate5_utils.ts (100%) rename x-pack/{packages => platform/packages/shared}/observability/logs_overview/tsconfig.json (94%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/README.md (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/construct_dataset_quality_details_locator_path.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/construct_dataset_quality_locator_path.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/dataset_quality_details_locator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/dataset_quality_locator.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/locators.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/locators/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/url_schema/common.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/url_schema/dataset_quality_details_url_schema_v1.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/url_schema/dataset_quality_url_schema_v1.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/url_schema/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/common/utils/deep_compact_object.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/jest.config.js (67%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/kibana.jsonc (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/application.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality/context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality/index.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality/url_schema_v1.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality/url_state_storage_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality_details/context.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality_details/index.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality_details/url_schema_v1.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/dataset_quality_details/url_state_storage_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/routes/index.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/utils/kbn_url_state_context.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/utils/use_breadcrumbs.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/public/utils/use_kibana.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/server/features.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/server/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/server/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/server/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/data_quality/tsconfig.json (89%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/README.md (88%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/api_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/constants.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_stream_details/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_stream_details/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_streams_stats/data_stream_stat.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_streams_stats/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_streams_stats/integration.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/data_streams_stats/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/errors.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/es_fields/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/fetch_options.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/plugin_config.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/rest/call_api.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/rest/create_call_dataset_quality_api.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/rest/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/translations.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/types/common.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/types/dataset_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/types/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/types/quality_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/utils/component_template_name.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/utils/dataset_name.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/utils/dataset_name.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/common/utils/quality_helpers.ts (100%) rename x-pack/{plugins/observability_solution/logs_explorer => platform/plugins/shared/dataset_quality}/jest.config.js (56%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/descriptive_switch.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/insufficient_privileges.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/integration_icon.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/spark_plot.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/common/vertical_rule.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/context.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/dataset_quality.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/empty_state/empty_state.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/filter_bar.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/filters.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/integrations_selector.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/namespaces_selector.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/qualities_selector.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/filters/selector.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/header.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/summary_panel/data_placeholder.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/summary_panel/datasets_activity.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/summary_panel/datasets_quality_indicators.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/summary_panel/estimated_data.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/summary_panel/summary_panel.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/table/columns.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/table/degraded_docs_percentage_link.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/table/table.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality/warnings/warnings.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/context.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/dataset_quality_details.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/field_info.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_limit_documentation_link.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_mapping_limit.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/increase_field_mapping_limit.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/message_callout.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/component_template_link.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/pipeline_link.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/title.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/details/dataset_summary.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/details/fields_list.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/details/header.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/details/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/details/integration_actions_menu.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/header.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/index_not_found_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/aggregation_not_supported.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/columns.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/degraded_fields.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/table.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/degraded_docs_chart.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/lens_attributes.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/header.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/summary/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/dataset_quality_details/overview/summary/panel.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/quality_indicator/dataset_quality_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/quality_indicator/helpers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/quality_indicator/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/quality_indicator/indicator.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/components/quality_indicator/percentage_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality/create_controller.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality/lazy_create_controller.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality/public_state.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality_details/create_controller.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality_details/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality_details/lazy_create_controller.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality_details/public_state.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/controller/dataset_quality_details/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_create_dataview.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_details_telemetry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_quality_details_state.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_quality_filters.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_quality_table.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_quality_warnings.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_dataset_telemetry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_degraded_docs_chart.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_degraded_fields.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_empty_state.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_integration_actions.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_overview_summary_panel.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_redirect_link.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_redirect_link_telemetry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/hooks/use_summary_panel.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/icons/logging.svg (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/plugin.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_stream_details/data_stream_details_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_stream_details/data_stream_details_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_stream_details/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_stream_details/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_streams_stats/data_streams_stats_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_streams_stats/data_streams_stats_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_streams_stats/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/data_streams_stats/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/telemetry_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/telemetry_events.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/telemetry_service.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/telemetry_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/services/telemetry/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/common/notifications.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/src/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/src/notifications.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_controller/src/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_details_controller/defaults.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_details_controller/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_details_controller/notifications.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_details_controller/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/state_machines/dataset_quality_details_controller/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/filter_inactive_datasets.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/flatten_stats.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/generate_datasets.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/generate_datasets.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/use_kibana.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/public/utils/use_quick_time_ranges.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/scripts/api.js (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/create_datasets_quality_server_route.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/check_and_load_integration/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/check_and_load_integration/validate_custom_component_template.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_data_stream_details/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_data_streams/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_data_streams_metering_stats/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_data_streams_stats/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_dataset_aggregated_paginated_results.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_datastream_settings/get_datastream_created_on.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_datastream_settings/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_docs.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_mappings.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_settings.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_field_values/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_fields/get_interval.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_degraded_fields/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/get_non_aggregatable_data_streams.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/routes.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/update_field_limit/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/update_field_limit/update_component_template.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/data_streams/update_field_limit/update_settings_last_backing_index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/integrations/get_integration_dashboards.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/integrations/get_integrations.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/integrations/routes.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/register_routes.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/routes/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_stream.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/constants.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/data_telemetry_service.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/helpers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/register_collector.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/data_telemetry/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/index_stats.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/services/privileges.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/test_helpers/create_dataset_quality_users/authentication.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/call_kibana.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_custom_role.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_or_update_user.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/test_helpers/create_dataset_quality_users/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/types/default_api_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/create_dataset_quality_es_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/queries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/reduce_async_chunks.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/reduce_async_chunks.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/server/utils/to_boolean.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/dataset_quality/tsconfig.json (95%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/README.md (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/common.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/errors.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/models/field_metadata.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/v1/find_fields_metadata.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/fields_metadata/v1/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/hashed_cache.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/latest.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/metadata_fields.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/common/runtime_types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => platform/plugins/shared/fields_metadata}/jest.config.js (56%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/kibana.jsonc (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/hooks/use_fields_metadata/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/mocks.tsx (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/fields_metadata_client.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/fields_metadata_client.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/fields_metadata_service.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/fields_metadata_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/services/fields_metadata/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/public/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/fields_metadata_server.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/lib/shared_types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/mocks.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/plugin.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/routes/fields_metadata/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/errors.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/fields_metadata_client.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/fields_metadata_client.test.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/fields_metadata_client.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/fields_metadata_service.mock.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/fields_metadata_service.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/index.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/repositories/ecs_fields_repository.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/repositories/integration_fields_repository.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/repositories/metadata_fields_repository.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/repositories/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/services/fields_metadata/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/server/types.ts (100%) rename x-pack/{plugins => platform/plugins/shared}/fields_metadata/tsconfig.json (81%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/README.md (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/constants.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/services/log_sources_service/log_sources_service.mocks.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/services/log_sources_service/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/services/log_sources_service/utils.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/common/ui_settings.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/jest.config.js (71%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/components/logs_sources_setting.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/hooks/use_log_sources.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/plugin.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/services/log_sources_service/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/services/register_services.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/public/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/es_fields.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/services/get_logs_error_rate_timeseries/get_logs_error_rate_timeseries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/services/get_logs_rate_timeseries/get_logs_rate_timeseries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/services/get_logs_rates_service/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/services/log_sources_service/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/services/register_services.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/utils/es_queries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/server/utils/utils.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_data_access/tsconfig.json (93%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/README.md (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/constants.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/common/formatters/datetime.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/deprecations/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/latest.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_entries/v1/highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_entries/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_entries/v1/summary.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_views/common.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_views/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_views/v1/get_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_views/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/http_api/log_views/v1/put_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/index.ts (97%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/get_logs_locators.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/helpers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/logs_locator.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/node_logs_locator.ts (100%) rename x-pack/{plugins/observability_solution/infra/common/time => platform/plugins/shared/logs_shared/common/locators}/time_range.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/trace_logs_locator.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/locators/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_entry/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_entry/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_entry/log_entry_cursor.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/common/log_text_scale/index.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/common/log_text_scale/log_text_scale.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/defaults.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/errors.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/log_view.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/resolved_log_view.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/resolved_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/log_views/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/mocks.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/plugin_config.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/runtime_types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/common/search_strategies/common/errors.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/search_strategies/log_entries/log_entries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/search_strategies/log_entries/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/time/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/time/time_key.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/common/typed_json.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/utils/date_helpers.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/utils/date_helpers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/common/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/emotion.d.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/jest.config.js (58%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/components/auto_sizer.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/centered_flyout_body.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/data_search_error_callout.stories.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/data_search_error_callout.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/data_search_progress.stories.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/data_search_progress.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/empty_states/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/empty_states/no_data.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/formatted_time.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/loading/__examples__/index.stories.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/loading/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_ai_assistant/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_ai_assistant/log_ai_assistant.mock.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_ai_assistant/translations.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/log_stream.stories.mdx (99%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/log_stream.stories.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/log_stream.story_decorators.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/log_stream.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/log_stream/log_stream_error_boundary.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_entry_flyout/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_entry_flyout/log_entry_fields_table.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_entry_flyout/log_entry_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/column_headers.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/column_headers_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/field_value.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/highlighting.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/item.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/jump_to_tail.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/loading_item_view.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_date_row.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_context_menu.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_row.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_row_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_entry_timestamp_column.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/log_text_separator.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/measurable_item_view.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/text_styles.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logging/log_text_stream/vertical_scroll_panel.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logs_overview/index.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logs_overview/logs_overview.mock.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/logs_overview/logs_overview.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/open_in_logs_explorer_button.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/components/resettable_error_boundary.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/api/fetch_log_entries_highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/api/fetch_log_summary_highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/log_entry_highlights.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/log_summary_highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_highlights/next_and_previous.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_position/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_position/use_log_position.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_stream/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_after.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_around.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_before.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/api/fetch_log_summary.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/bucket_size.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/log_summary.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/log_summary.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/containers/logs/log_summary/with_summary.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/hooks/use_kibana.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/hooks/use_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/mocks.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/README.md (100%) rename x-pack/{plugins/observability_solution/infra/public/observability_logs/log_stream_page/state => platform/plugins/shared/logs_shared/public/observability_logs/log_view_state}/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/src/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/src/notifications.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/src/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/observability_logs/xstate_helpers/README.md (100%) rename x-pack/{plugins/observability_solution/infra/public/observability_logs/log_stream_query_state => platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers}/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/xstate_helpers/src/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/xstate_helpers/src/notification_channel.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/observability_logs/xstate_helpers/src/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/plugin.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/log_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/log_views_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/log_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/log_views_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/services/log_views/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/test_utils/entries.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/test_utils/use_global_storybook_theme.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/utils/data_search/data_search.stories.mdx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/data_search/flatten_data_search_response.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/utils/data_search/index.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/utils/data_search/normalize_data_search_responses.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/data_search/types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/utils/data_search/use_data_search_request.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/data_search/use_data_search_request.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/data_search/use_data_search_response_state.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/public/utils/data_search/use_latest_partial_data_search_response.test.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/datemath.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/dev_mode.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/handlers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/log_column_render_configuration.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/log_entry/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/log_entry/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/log_entry/log_entry_highlight.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/typed_react.tsx (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/use_kibana_query_settings.ts (100%) rename x-pack/{plugins/observability_solution/infra/public/hooks => platform/plugins/shared/logs_shared/public/utils}/use_kibana_ui_setting.ts (100%) rename x-pack/{plugins/observability_solution/infra/public/hooks => platform/plugins/shared/logs_shared/public/utils}/use_observable.ts (100%) rename x-pack/{plugins/observability_solution/infra/public/hooks => platform/plugins/shared/logs_shared/public/utils}/use_tracked_promise.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/public/utils/use_ui_tracker.ts (100%) rename x-pack/{plugins/observability_solution/infra/public/hooks => platform/plugins/shared/logs_shared/public/utils}/use_visibility_state.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/config.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/deprecations/constants.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/deprecations/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/deprecations/log_sources_setting.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/feature_flags.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/adapters/framework/adapter_types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/server/lib/adapters/framework/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/adapters/log_entries/kibana_log_entries_adapter.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/domains/log_entries_domain/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/domains/log_entries_domain/queries/log_entry_datasets.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/lib/logs_shared_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/logs_shared_server.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/mocks.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/deprecations/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_entries/highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_entries/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_entries/summary.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_entries/summary_highlights.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_views/get_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_views/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/routes/log_views/put_log_view.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/log_view/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/log_view/references/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/log_view/references/log_indices.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/saved_objects/log_view/types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/server/saved_objects/references.test.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/server/saved_objects/references.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/log_entries_search_strategy.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/log_entries_search_strategy.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/log_entries_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/log_entry_search_strategy.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/log_entry_search_strategy.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_kafka.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_redis.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_system.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/generic.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/generic.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/generic_webserver.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/helpers.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/builtin_rules/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/message.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/message/rule_types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/queries/common.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/queries/log_entries.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/queries/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_entries/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/errors.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/index.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/log_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/log_views_client.test.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/log_views_client.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/log_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/log_views_service.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/services/log_views/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/types.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/utils/elasticsearch_runtime_types.ts (100%) rename x-pack/{plugins/observability_solution/infra => platform/plugins/shared/logs_shared}/server/utils/serialized_query.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/server/utils/typed_search_strategy.ts (100%) rename x-pack/{plugins/observability_solution => platform/plugins/shared}/logs_shared/tsconfig.json (94%) delete mode 100644 x-pack/plugins/fields_metadata/jest.config.js delete mode 100644 x-pack/plugins/observability_solution/observability_logs_explorer/jest.config.js rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/README.md (100%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/index.ts (58%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/kibana.jsonc (100%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/package.json (61%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/create/button.tsx (86%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/create/error_callout.tsx (85%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/create/form.tsx (95%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/create/utils.ts (51%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/custom_integrations_button.tsx (76%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/components/custom_integrations_form.tsx (73%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/index.ts rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts (76%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/index.ts rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts (64%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/hooks/use_custom_integrations.ts (60%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/defaults.ts (57%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/notifications.ts (83%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts (91%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/selectors.ts (61%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/state_machine.ts (97%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/create/types.ts (90%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts (69%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx (88%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts (94%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts (70%) create mode 100644 x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/index.ts rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/services/integrations_client.ts (91%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/state_machines/services/validation.ts (89%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/src/types.ts (82%) rename {packages => x-pack/solutions/observability/packages}/kbn-custom-integrations/tsconfig.json (87%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/.storybook/main.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/.storybook/preview.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/README.md (97%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/logs/log_threshold/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/logs/log_threshold/query_helpers.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/logs/log_threshold/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/alert_link.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/alert_link.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/metric_value_formatter.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/metric_value_formatter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/alerting/metrics/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/color_palette.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/color_palette.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/custom_dashboards.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/alert_link.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/bytes.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/bytes.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/common/formatters/datetime.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/get_custom_metric_label.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/high_precision.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/number.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/percent.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/snapshot_metric_formats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/telemetry_time_range.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/formatters/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/asset_count_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/custom_dashboards_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/host_details/get_infra_services.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/host_details/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/host_details/process_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra/get_infra_metrics.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra_ml/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra_ml/results/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra_ml/results/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra_ml/results/metrics_hosts_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/infra_ml/results/metrics_k8s_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_meta_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/create_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/find_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/get_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/inventory_views/v1/update_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/ip_to_hostname/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/latest.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_alerts/v1/chart_preview_data.ts (91%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_alerts/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/id_formats/v1/id_formats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_categories.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets_stats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_category_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/results/v1/log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/validation/v1/datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/validation/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/log_analysis/validation/v1/log_entry_rate_indices.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metadata_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/create_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/find_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/get_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/metrics_explorer_views/v1/update_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/node_details_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/overview_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/profiling_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/asset_type.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/es_request.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/metric_statistics.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/time_range.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/shared/timing.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/http_api/snapshot_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/anomaly_results.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/infra_ml.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/job_parameters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/metrics_hosts_ml.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/infra_ml/metrics_k8s_ml.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_models/intl_strings.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_views/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_views/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_views/inventory_view.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/inventory_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/job_parameters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_analysis.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_analysis_quality.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_analysis_results.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_entry_categories_analysis.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_analysis/log_entry_rate_analysis.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_search_result/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_search_result/log_search_result.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_search_summary/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/log_search_summary/log_search_summary.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/common/log_text_scale/index.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/common/log_text_scale/log_text_scale.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_explorer_views/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_explorer_views/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_explorer_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_explorer_views/metrics_explorer_view.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_explorer_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_sources/get_has_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/metrics_sources/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/performance_tracing.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/plugin_config_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/saved_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/saved_views/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/common/search_strategies/common/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/search_strategies/log_entries/log_entries.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/search_strategies/log_entries/log_entry.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/snapshot_metric_i18n.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/source_configuration/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/source_configuration/source_configuration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/time/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/time/time_key.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/common/locators => solutions/observability/plugins/infra/common/time}/time_range.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/time/time_scale.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/time/time_unit.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/common/typed_json.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/url_state_storage_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utility_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utils/corrected_percent_convert.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utils/corrected_percent_convert.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utils/elasticsearch_runtime_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utils/get_chart_group_names.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/common/utils/get_interval_in_seconds.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/assets/infra_metricbeat_aws.jpg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/state_machines/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/state_machines/xstate_machine_patterns.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/state_machines/xstate_react_patterns.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/state_machines/xstate_url_patterns_and_precedence.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/telemetry/README.md (76%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/telemetry/define_custom_events.md (97%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/telemetry/telemetry_service_overview.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/telemetry/trigger_custom_events_examples.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/test_setups/infra_metricbeat_aws.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/docs/test_setups/infra_metricbeat_docker_nginx.md (100%) rename x-pack/{plugins/observability_solution/dataset_quality => solutions/observability/plugins/infra}/jest.config.js (56%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/__snapshots__/metrics_overview_fetchers.test.ts.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/components/metrics_alert_dropdown.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/components/threshold.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/components/threshold.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/components/threshold.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/criterion_preview_chart/criterion_preview_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/group_by_expression/group_by_expression.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/common/group_by_expression/selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/custom_threshold/components/alert_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/custom_threshold/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/alert_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/expression.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/expression.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/expression_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/manage_alerts_context_menu_item.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/metric.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/node_type.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/components/validation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/hooks/use_inventory_alert_prefill.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/inventory/rule_data_formatters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/alert_annotation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/log_rate_analysis.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/create_lens_definition.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_count_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_ratio_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/log_rate_analysis_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_details_app_section/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_dropdown.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/alert_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/criterion_preview_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/hooks/use_chart_preview_data.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/log_view_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/threshold.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/expression_editor/type_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/components/lazy_alert_dropdown.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/log_threshold_rule_type.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/rule_data_formatters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/log_threshold/validation.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/__snapshots__/alert_details_app_section.test.tsx.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/__snapshots__/expression_row.test.tsx.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/alert_details_app_section.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/alert_details_app_section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/alert_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_agg.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_count.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/custom_equation/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression_chart.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression_row.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/expression_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/validation.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/components/validation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/hooks/use_metric_threshold_alert_prefill.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/hooks/use_metrics_explorer_chart_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/i18n_strings.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/lib/generate_unique_key.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/lib/generate_unique_key.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/lib/transform_metrics_explorer_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/mocks/metric_threshold_rule.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/rule_data_formatters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/metric_threshold/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/alerting/use_alert_prefill.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/apps/common_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/apps/common_styles.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/apps/logs_app.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/apps/metrics_app.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/common/asset_details_config/asset_details_tabs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/common/inventory/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/common/visualizations/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/common/visualizations/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/common/visualizations/translations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/alerts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/asset_details_props.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/log_entries.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/metadata.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/processes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/fixtures/snapshot_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/context/http.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/__stories__/decorator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/add_metrics_callout/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/add_metrics_callout/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/asset_details.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/asset_details.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/chart_utils.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/chart_utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/docker_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/host_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/kubernetes_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/charts_grid/charts_grid.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/alerts_tooltip_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/expandable_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/kpis/container_kpi_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/kpis/host_kpi_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/kpis/kpi.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/metadata_error_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/metadata_explanation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/metric_not_available_explanation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/processes_explanation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/section_title.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/services_tooltip_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/components/top_processes_tooltip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/content/callouts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/content/callouts/legacy_metric_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/content/content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/context_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/date_picker/date_picker.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/header/flyout_header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/header/page_title_with_popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_asset_details_render_props.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_asset_details_url_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_chart_series_color.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_chart_series_color.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_container_metrics_charts.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_container_metrics_charts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_custom_dashboards.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_dashboards_fetcher.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_data_views.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_date_picker.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_entity_summary.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_fetch_custom_dashboards.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_host_metrics_charts.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_host_metrics_charts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_integration_check.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_intersecting_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_loading_state.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_loading_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_log_charts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_metadata.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_metadata_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_page_header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_process_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_profiling_kuery.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_profiling_kuery.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_request_observable.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_request_observable.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_saved_objects_permissions.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/hooks/use_tab_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/links/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/links/link_to_apm_service.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/links/link_to_apm_services.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/links/link_to_node_details.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/anomalies/anomalies.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/common/popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/actions.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/edit_dashboard.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/goto_dashboard_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/link_dashboard.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/save_dashboard_modal.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/actions/unlink_dashboard.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/context_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/dashboard_selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/dashboards.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/empty_dashboards.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/dashboards/filter_explanation_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/logs/logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/add_metadata_filter_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/add_pin_to_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/build_metadata_filter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/metadata.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/metadata.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/metadata.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/utils.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metadata/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metrics/container_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metrics/host_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metrics/metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/metrics/metrics_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/osquery/osquery.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/alerts/alerts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/alerts/alerts_closed_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/kpis/cpu_profiling_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/kpis/kpi_grid.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_summary_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/metrics/container_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/metrics/host_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/metrics/metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/overview.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/section_titles.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/overview/services.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/parse_search_string.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/process_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/process_row_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/processes.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/processes.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/processes_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/state_badge.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/states.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/summary_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/processes/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/description_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/empty_data_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/error_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/flamegraph.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/functions.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/profiling.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/profiling_links.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/tabs/profiling/threads.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/template/flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/template/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/translations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/asset_details/utils/get_data_stream_types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/components/auto_sizer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/autocomplete_field/autocomplete_field.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/autocomplete_field/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/autocomplete_field/suggestion_item.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/basic_table/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/basic_table/row_expansion_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/beta_badge.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/empty_states/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/empty_states/no_data.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/empty_states/no_indices.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/empty_states/no_metric_indices.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/empty_states/no_remote_cluster.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/error_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/error_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/eui/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/eui/toolbar/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/eui/toolbar/toolbar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/fixed_datepicker.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/height_retainer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/help_center_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/chart_load_error.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/chart_placeholder.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/lens_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/lens_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/metric_explanation/container_metrics_explanation_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/metric_explanation/host_metrics_docs_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/metric_explanation/host_metrics_explanation_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/metric_explanation/tooltip_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/lens/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/loading/__examples__/index.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/loading/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/loading_overlay_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/loading_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/log_stream/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/log_stream/log_stream_react_embeddable.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/log_stream/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/inline_log_view_splash_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/job_configuration_outdated_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/job_definition_outdated_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/job_stopped_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/log_analysis_job_problem_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/notices_section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_job_status/recreate_job_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/analyze_in_ml_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/anomaly_severity_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/category_expression.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/datasets_selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/first_use_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_results/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/create_job_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_indices_form.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_timerange_form.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_dataset_filter.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/initial_configuration_step/validation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/manage_jobs_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/missing_privileges_messages.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/missing_results_privileges_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_tooltip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/ml_unavailable_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/process_step/create_ml_jobs_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/process_step/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/process_step/process_step.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/process_step/recreate_ml_jobs_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_categories_setup_view.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_rate_setup_view.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/setup_status_unknown_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_analysis_setup/user_management_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_customization_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_datepicker.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_entry_examples/log_entry_examples.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_entry_examples/log_entry_examples_empty_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_entry_examples/log_entry_examples_failure_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_entry_examples/log_entry_examples_loading_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_highlights_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/density_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/highlighted_interval.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/log_minimap.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/search_marker.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/search_marker_tooltip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/search_markers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/time_label_formatter.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_minimap/time_ruler.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_search_controls/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_search_controls/log_search_buttons.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_search_controls/log_search_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_search_controls/log_search_input.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_statusbar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_text_scale_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logging/log_text_wrap_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/logs_deprecation_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/missing_embeddable_factory_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/anomalies_table/annomaly_summary.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/anomalies_table/anomalies_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/anomalies_table/pagination.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/anomaly_detection_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/flyout_home.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/ml/anomaly_detection/job_setup_screen.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/page_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/saved_views/manage_views_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/saved_views/toolbar_control.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/saved_views/upsert_modal.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/alerts_overview.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/alerts_status_filter.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/links/__snapshots__/link_to_alerts_page.test.tsx.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/links/create_alert_rule_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/links/link_to_alerts_page.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/alerts/links/link_to_alerts_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/templates/infra_page_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/shared/templates/no_data_config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/source_configuration/view_source_configuration_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/source_error_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/source_loading_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/subscription_splash_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/components/try_it_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/header_action_menu_provider.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/kbn_url_state_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/get_latest_categories_datasets_stats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/ml_api_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/ml_cleanup.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/ml_get_jobs_summary_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/ml_get_module.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/ml_setup_module_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/validate_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/api/validate_indices.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_capabilities.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_cleanup.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_module_configuration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_module_definition.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_module_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_module_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/log_analysis_setup_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_categories/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_categories/module_descriptor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_quality.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_setup.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_rate/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_rate/module_descriptor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_setup.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_view_configuration.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/log_view_configuration.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/view_log_in_context/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/view_log_in_context/view_log_in_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/logs/with_log_textview.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_source/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_source/metrics_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_source/notifications.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_source/source.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/metrics_source/source_errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/api/ml_api_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/api/ml_cleanup.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/api/ml_get_jobs_summary_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/api/ml_get_module.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/api/ml_setup_module_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_capabilities.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_cleanup.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module_configuration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module_definition.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module_status.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/infra_ml_module_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/modules/metrics_hosts/module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/modules/metrics_hosts/module_descriptor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/modules/metrics_k8s/module.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/ml/modules/metrics_k8s/module_descriptor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/plugin_config_context.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/plugin_config_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/react_query_provider.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/triggers_actions_context.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/containers/with_kuery_autocompletion.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_alerts_count.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_alerts_count.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_chart_themes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_document_title.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_entity_centric_experience_setting.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_fetcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_inventory_views.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_is_dark_mode.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana_index_patterns.mock.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana_index_patterns.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana_space.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana_time_zone_setting.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_kibana_timefilter_time.tsx (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/utils => solutions/observability/plugins/infra/public/hooks}/use_kibana_ui_setting.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_lazy_ref.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_lens_attributes.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_lens_attributes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_license.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_log_view_reference.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_logs_breadcrumbs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_metrics_breadcrumbs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_metrics_explorer_views.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/utils => solutions/observability/plugins/infra/public/hooks}/use_observable.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_parent_breadcrumb_resolver.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_profiling_integration_setting.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_readonly_badge.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_saved_views_notifier.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_search_session.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_sorting.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_time_range.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_time_range.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_timeline_chart_theme.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/utils => solutions/observability/plugins/infra/public/hooks}/use_tracked_promise.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_trial_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/hooks/use_viewport_dimensions.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/utils => solutions/observability/plugins/infra/public/hooks}/use_visibility_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/docker.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/hosts.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/infra_mono_white.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/k8.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/logging_mono_white.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/images/services.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/metrics_overview_fetchers.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/metrics_overview_fetchers.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/mocks.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/README.md (100%) rename x-pack/{plugins/observability_solution/infra/public/observability_logs/xstate_helpers => solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/initial_parameters_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/provider.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/selectors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_page/state/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/src/notifications.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_position_state/src/url_state_storage_service.ts (100%) rename x-pack/{plugins/observability_solution/logs_explorer/public/state_machines/data_views => solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/notifications.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/search_bar_state_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/time_filter_state_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/url_state_storage_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/log_stream_query_state/src/validate_query_service.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/observability_logs/xstate_helpers/README.md (100%) rename x-pack/{plugins/observability_solution/logs_explorer/public/state_machines/datasets => solutions/observability/plugins/infra/public/observability_logs/xstate_helpers}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/xstate_helpers/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/xstate_helpers/src/invalid_state_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/observability_logs/xstate_helpers/src/state_machine_playground.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/page_template.styles.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/404.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/error.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/link_to_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/link_to_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/query_params.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/redirect_to_host_detail_via_ip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/redirect_to_inventory.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/redirect_to_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/redirect_to_node_detail.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/redirect_to_node_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/use_host_ip_to_name.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/link_to/use_host_ip_to_name.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/page_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/page_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/page_results_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/page_setup_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/analyze_dataset_in_ml_action.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/anomaly_severity_indicator_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_details_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_example_message.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_action_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/log_entry_count_sparkline.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_comparison.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_sparkline.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/service_calls/get_top_log_entry_categories.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results_url_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_categories/use_log_entry_category_examples.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/page_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/page_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/page_results_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/page_setup_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/sections/anomalies/anomalies_swimlane_visualisation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/sections/anomalies/expanded_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/sections/anomalies/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/sections/anomalies/log_entry_example.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/sections/anomalies/table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/use_log_entry_anomalies_results.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/use_log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/log_entry_rate/use_log_entry_rate_results_url_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/page_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/page_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/routes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/add_log_column_popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/form_elements.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/form_field_props.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/index_names_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/index_pattern_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/index_pattern_selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/indices_configuration_form_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/indices_configuration_panel.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/indices_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/inline_log_view_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/kibana_advanced_setting_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/log_columns_configuration_form_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx (99%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/name_configuration_form_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/name_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/source_configuration_form_errors.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/source_configuration_form_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/source_configuration_settings.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/settings/validation_errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/shared/call_get_log_analysis_id_formats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/shared/page_log_view_error.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/shared/page_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/shared/use_log_ml_job_id_formats_shim.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/components/stream_live_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/components/stream_page_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_logs_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_missing_indices_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_providers.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_toolbar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/logs/stream/page_view_log_in_context.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/chart/metric_chart_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/common/popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/host_details_flyout/flyout_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/hosts_container.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/hosts_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/hosts_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/kpis/host_count_kpi.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/kpis/kpi_charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/kpis/kpi_grid.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/search_bar/control_panels_config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/search_bar/controls_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/search_bar/controls_title.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/search_bar/limit_options.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/search_bar/unified_search_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/table/add_data_troubleshooting_popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/table/column_header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/table/entry_title.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/table/filter_action.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/alerts/alerts_tab_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/alerts/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/alerts_tab_badge.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/logs/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/logs/logs_link_to_stream.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/logs/logs_search_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/logs/logs_tab_content.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/metrics/chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/metrics/metrics_grid.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/components/tabs/tabs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_after_loaded_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_alerts_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_host_count.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_host_count.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_hosts_table.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_hosts_table.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_hosts_table_url_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_hosts_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_logs_search_url_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_tab_id.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_unified_search.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/hooks/use_unified_search_url_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/translations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/hosts/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/bottom_drawer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/dropdown_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/filter_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/kubernetes_tour.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/layout_view.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/nodes_overview.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/saved_views.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/search_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/snapshot_container.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/survey_kubernetes.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/survey_section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/table_view.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/timeline/timeline.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/aws_ec2_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/aws_rds_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/aws_s3_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/aws_sqs_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/cloud_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/container_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/host_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/metrics_and_groupby_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/pod_toolbar_items.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/toolbars/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/__snapshots__/conditional_tooltip.test.tsx.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/asset_details_flyout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/gradient_legend.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/group_name.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/group_of_groups.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/group_of_nodes.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/interval_label.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/legend.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/legend_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/map.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_context_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_edit_mode.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/mode_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/node.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/node_context_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx (98%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/palette_preview.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/stepped_gradient_legend.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/steps_legend.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/swatch_label.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/view_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_accounts_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_inventory_switcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_region_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_sort_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/components/waffle/waffle_time_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_asset_details_flyout_url_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_metrics_hosts_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_metrics_k8s_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_snaphot.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_timeline.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_time.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/hooks/use_waffle_view_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/apply_wafflemap_layout.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/color_from_value.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/convert_bounds_to_percents.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/create_inventory_metric_formatter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/create_legend.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/field_to_display_name.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/get_color_palette.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/navigate_to_uptime.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/nodes_to_wafflemap.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/size_of_squares.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/sort_nodes.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/sort_nodes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/inventory_view/lib/type_guards.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/asset_detail_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/chart_section_vis.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/error_message.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/gauges_section_vis.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/helpers.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/invalid_node.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/aws_ec2_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/aws_rds_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/aws_s3_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/aws_sqs_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/container_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/nginx_layout_sections.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/layouts/pod_layout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/metadata_details.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/node_details_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/page_body.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/page_error.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/page_error.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/series_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/side_nav.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/sub_section.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/time_controls.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/components/time_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/containers/metadata_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/hooks/metrics_time.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/hooks/use_metrics_time.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/lib/get_filtered_metrics.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/lib/side_nav_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/metric_detail_page.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metric_detail/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/aggregation.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/chart_options.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/chart_title.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/charts.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/empty_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domain.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domian.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metric.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metrics.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/get_metric_id.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/no_metrics.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/saved_views.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/series_chart.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/components/toolbar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/metrics_explorer/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/features_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/indices_configuration_form_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/indices_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/input_fields.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/ml_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/name_configuration_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/source_configuration_form_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/pages/metrics/settings/source_configuration_settings.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/plugin.ts (98%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/register_feature.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/inventory_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/inventory_views_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/inventory_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/inventory_views_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/inventory_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/metrics_explorer_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_service.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/telemetry_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/services/telemetry/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/test_utils/entries.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/test_utils/index.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/test_utils/use_global_storybook_theme.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/translations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/convert_interval_to_string.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/utils/data_search/data_search.stories.mdx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_search/flatten_data_search_response.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/utils/data_search/index.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/utils/data_search/normalize_data_search_responses.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_search/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/utils/data_search/use_data_search_request.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_search/use_data_search_request.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_search/use_data_search_response_state.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/public/utils/data_search/use_latest_partial_data_search_response.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_search/use_latest_partial_data_search_response.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/data_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/datemath.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/datemath.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/dev_mode.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/filters/build.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/filters/build.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/filters/create_alerts_es_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/fixtures/metrics_explorer.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/kuery.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/log_column_render_configuration.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/logs_overview_fetchers.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/logs_overview_fetches.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/map_timepicker_quickranges_to_datepicker_ranges.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/redirect_with_query_params.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/source_configuration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/theme_utils/with_attrs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/typed_react.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/public/utils/url_state.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/features.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/infra_server.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/framework/adapter_types.ts (100%) rename x-pack/{plugins/observability_solution/infra/server/lib/adapters/metrics => solutions/observability/plugins/infra/server/lib/adapters/framework}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/framework/kibana_framework_adapter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/metrics/adapter_types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/server/lib/adapters/framework => solutions/observability/plugins/infra/server/lib/adapters/metrics}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/metrics/kibana_metrics_adapter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/metrics/lib/check_valid_node.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/source_status/elasticsearch_source_status_adapter.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/adapters/source_status/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/common/get_values.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/common/get_values.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/common/messages.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/common/utils.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/common/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/docs/params_property_log_threshold.yaml (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/evaluate_condition.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_from_based_on_metric.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_rate_timeranges.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/convert_metric_value.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_log_rate_aggs.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_metric_aggregations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_agg_with_interface.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_aggs.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/create_request.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/get_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/inventory_metric_threshold/register_inventory_metric_threshold_rule_type.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/log_threshold_chart_preview.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/log_threshold_executor.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/mocks/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/reason_formatters.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/log_threshold/register_log_threshold_rule_type.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/check_missing_group.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/convert_strings_to_missing_groups_record.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_bucket_selector.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_condition_script.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_percentile_aggregation.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_rate_aggregation.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_timerange.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/create_timerange.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/evaluate_rule.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/get_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/metric_expression_params.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/metric_query.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/metric_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/lib/wrap_in_period.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/register_metric_threshold_rule_type.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/metric_threshold/test_mocks.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/alerting/register_rule_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/cancel_request_on_abort.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/create_custom_metrics_aggregations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/create_search_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/domains/metrics_domain.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/helpers/get_apm_data_access_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/helpers/get_infra_alerts_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/helpers/get_infra_metrics_client.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/helpers/get_infra_metrics_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/host_details/process_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/host_details/process_list_chart.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/metrics_hosts_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/metrics_k8s_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/log_entry_data_sets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/metrics_host_anomalies.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/metrics_hosts_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_ml/queries/ml_jobs.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/infra_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/log_entry_categories_analysis.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/log_entry_categories_datasets_stats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/log_entry_rate_analysis.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/latest_log_entry_categories_datasets_stats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_categories.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_category_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_category_histograms.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_data_sets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/log_entry_rate.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/ml_jobs.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/queries/top_log_entry_categories.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/log_analysis/resolve_id_formats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/__snapshots__/convert_buckets_to_metrics_series.test.ts.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/__snapshots__/create_aggregations.test.ts.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/__snapshots__/create_metrics_aggregations.test.ts.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_bucket_size.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_date_histogram_offset.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_date_histogram_offset.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/calculate_interval.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/create_aggregations.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/create_aggregations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/create_metrics_aggregations.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/lib/create_metrics_aggregations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/metrics/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/source_status.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/has_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/compose_migrations.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/compose_migrations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/migrations/create_test_source_configuration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/mocks.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/saved_object_references.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/saved_object_references.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/saved_object_type.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/sources.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/sources.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/lib/sources/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/mocks.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/custom_dashboards.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/delete_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/get_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/lib/check_custom_dashboards_enabled.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/lib/delete_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/lib/find_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/save_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/custom_dashboards/update_custom_dashboard.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/entities/get_data_stream_types.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/entities/get_data_stream_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/entities/get_has_metrics_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/entities/get_latest_entity.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/entities/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/helpers/query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_all_hosts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_apm_hosts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_filtered_hosts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_hosts.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_hosts_alerts_count.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/host/get_hosts_count.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/utils.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra/lib/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra_ml/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra_ml/results/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra_ml/results/metrics_hosts_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/infra_ml/results/metrics_k8s_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_metadata/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_metadata/lib/get_cloud_metadata.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/create_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/delete_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/find_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/get_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/inventory_views/update_inventory_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/ip_to_hostname.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_alerts/chart_preview_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_alerts/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/id_formats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_anomalies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_anomalies_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_categories.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_category_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_category_datasets_stats.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_category_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/results/log_entry_examples.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/validation/datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/validation/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/log_analysis/validation/indices.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/lib/get_cloud_metric_metadata.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/lib/get_metric_metadata.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/lib/get_node_info.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/lib/get_pod_node_name.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metadata/lib/pick_feature_name.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/create_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/delete_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/find_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/get_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_explorer_views/update_metrics_explorer_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/metrics_sources/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/node_details/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/lib/convert_es_response_to_top_nodes_response.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/lib/create_top_nodes_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/lib/get_matadata_from_node_bucket.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/lib/get_top_nodes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/overview/lib/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/process_list/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/profiling/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/profiling/lib/fetch_profiling_flamegraph.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/profiling/lib/fetch_profiling_functions.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/profiling/lib/fetch_profiling_status.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/profiling/lib/get_profiling_data_access.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/services/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/services/lib/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/apply_metadata_to_last_path.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/copy_missing_metrics.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/create_timerange_with_interval.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/get_dataset_for_field.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/get_metrics_aggregations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/get_nodes.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/query_all_data.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/transform_metrics_ui_response.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/transform_metrics_ui_response.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/routes/snapshot/lib/transform_snapshot_metrics_to_metrics_api_metrics.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/custom_dashboards/custom_dashboards_saved_object.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/inventory_view/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/inventory_view/inventory_view_saved_object.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/inventory_view/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/metrics_explorer_view/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/metrics_explorer_view/metrics_explorer_view_saved_object.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/saved_objects/metrics_explorer_view/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/server/saved_objects/references.test.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/server/saved_objects/references.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/inventory_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/inventory_views_client.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/inventory_views_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/inventory_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/inventory_views_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/inventory_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/metrics_explorer_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/rules/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/rules/rule_data_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/rules/rules_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/services/rules/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/usage/usage_collector.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/calculate_metric_interval.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/elasticsearch_runtime_types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/get_original_action_group.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/handle_route_errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/map_source_to_log_view.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/map_source_to_log_view.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/request_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/route_validation.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/server/utils/route_validation.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared => solutions/observability/plugins/infra}/server/utils/serialized_query.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/infra/tsconfig.json (97%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/.storybook/__mocks__/package_icon.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/.storybook/main.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/.storybook/preview.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/control_panels/available_control_panels.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/control_panels/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/control_panels/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/all_dataset_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/data_view_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/single_dataset_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_views/models/data_view_descriptor.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_views/models/data_view_descriptor.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/data_views/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/errors.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/models/dataset.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/models/integration.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/v1/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/v1/find_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/v1/find_integrations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/datasets/v1/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/display_options/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/display_options/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/hashed_cache.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/latest.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/locators/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/locators/logs_explorer/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/locators/logs_explorer/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/plugin_config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/common/ui_settings.ts (100%) create mode 100644 x-pack/solutions/observability/plugins/logs_explorer/jest.config.js rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/common/translations.tsx (94%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/constants.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/data_source_selector.stories.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/data_source_selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/state_machine/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/state_machine/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/state_machine/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/state_machine/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/state_machine/use_data_source_selector.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/add_data_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/data_view_filter.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/data_view_menu_item.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/datasets_skeleton.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/list_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/search_controls.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/selector_footer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/sub_components/selector_popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/data_source_selector/utils.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/logs_explorer/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/logs_explorer/logs_explorer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/virtual_columns/column_tooltips/field_with_token.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/components/virtual_columns/column_tooltips/tooltip_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/create_controller.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/custom_data_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/custom_ui_settings_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/custom_url_state_storage.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/lazy_create_controller.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/provider.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/public_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/controller/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/custom_control_column.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/custom_data_source_filters.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/custom_data_source_selector.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/custom_search_bar.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/custom_unified_histogram.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/logs_explorer_profile.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/customizations/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_control_panels.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_data_source_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_data_views.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_datasets.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_esql.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_integrations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/hooks/use_intersection_ref.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/datasets_client.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/datasets_client.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/datasets_service.mock.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/datasets_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/services/datasets/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_explorer/public/state_machines/integrations => solutions/observability/plugins/logs_explorer/public/state_machines/data_views}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/data_views/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/data_views/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/data_views/src/services/data_views_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/data_views/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/data_views/src/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller => solutions/observability/plugins/logs_explorer/public/state_machines/datasets}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/datasets/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/datasets/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/datasets/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/datasets/src/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/observability_logs/log_view_state => solutions/observability/plugins/logs_explorer/public/state_machines/integrations}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/integrations/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/integrations/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/integrations/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/integrations/src/types.ts (100%) rename x-pack/{plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers => solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller}/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/notifications.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/public_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/services/control_panels.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/services/data_view_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/services/discover_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/services/selection_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/services/timefilter_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/utils/comparator_by_field.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/utils/convert_discover_app_state.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/utils/get_data_view_test_subj.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/utils/proxies.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/public/utils/use_kibana.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/server/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/server/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/logs_explorer/tsconfig.json (93%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/.storybook/__mocks__/package_icon.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/.storybook/main.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/.storybook/preview.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/README.md (92%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/all_datasets_locator.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/data_view_locator.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/locators.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/single_dataset_locator.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/utils/construct_locator_path.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/locators/utils/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/plugin_config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/telemetry_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/translations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/url_schema/common.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/url_schema/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v1.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v2.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/common/utils/deep_compact_object.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/emotion.d.ts (100%) create mode 100644 x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/applications/last_used_logs_viewer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/applications/observability_logs_explorer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/applications/redirect_to_observability_logs_explorer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/alerts_popover.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/dataset_quality_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/discover_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/feedback_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/logs_explorer_top_nav_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/onboarding_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/components/page_template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/logs_explorer_customizations/discover_navigation_handler.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/logs_explorer_customizations/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/routes/main/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/routes/main/main_route.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/routes/not_found.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/all_selection_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/controller_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/provider.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/time_filter_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v1.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v2.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_state_storage_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/component.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/constants.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/defaults.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/lazy_component.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/location_state_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/notifications.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/state_machine.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/state_machines/origin_interpreter/src/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/utils/breadcrumbs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/utils/kbn_url_state_context.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/public/utils/use_kibana.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/server/config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/server/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_logs_explorer/tsconfig.json (94%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/README.md (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/aws_firehose.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/elastic_agent_logs/custom_logs/__snapshots__/generate_custom_logs_yml.test.ts.snap (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/elastic_agent_logs/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/es_fields.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/fetch_options.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/logs_flow_progress_step_id.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/telemetry_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/common/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/README.md (59%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress.config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/e2e/home.cy.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/configure.cy.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/install_elastic_agent.cy.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/e2e/logs/feedback.cy.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/e2e/navigation.cy.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/support/commands.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/support/e2e.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress/support/types.d.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/cypress_test_runner.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/ftr_config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/ftr_config_open.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/ftr_config_runner.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/ftr_kibana.yml (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/ftr_provider_context.d.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/.gitignore (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/README.md (72%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/lib/assert_env.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/lib/helpers.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/lib/logger.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/playwright.config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/auth.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/auto_detect.spec.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/fixtures/base_page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/kubernetes_ea.spec.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/components/header_bar.component.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/components/space_selector.component.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/pages/auto_detect_flow.page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/pages/host_details.page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_ea_flow.page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_overview_dashboard.page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/playwright/stateful/pom/pages/onboarding_home.page.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/e2e/tsconfig.json (81%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/jest.config.js (69%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/kibana.jsonc (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/app.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/footer/demo_icon.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/footer/docs_icon.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/footer/footer.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/footer/forum_icon.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/footer/support_icon.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/header/background.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/header/custom_header.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/header/custom_header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/header/header.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/header/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/observability_onboarding_flow.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/onboarding_flow_form/onboarding_flow_form.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/onboarding_flow_form/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/onboarding_flow_form/use_custom_cards_for_category.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/onboarding_flow_form/use_virtual_search_results.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/packages_list/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/packages_list/lazy.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/packages_list/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/packages_list/use_integration_card_list.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/packages_list/use_integration_card_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/auto_detect.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/custom_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/firehose.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/kubernetes.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/landing.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/otel_kubernetes.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/otel_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/pages/template.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/auto_detect_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/get_auto_detect_command.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/get_installed_integrations.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/get_onboarding_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/supported_integrations_list.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx (97%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/api_key_banner.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/configure_logs.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/inspect.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx (98%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/auto_refresh_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_command_snippet.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_in_aws_console.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/download_template_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/existing_data_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/progress_callout.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/use_aws_service_get_started_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/use_populated_aws_index_list.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/utils.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/firehose/visualize_data.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/kubernetes/build_kubectl_command.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/kubernetes/command_snippet.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/kubernetes/data_ingest_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/kubernetes/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/otel_kubernetes_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/otel_logs/index.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/otel_logs/multi_integration_install_banner.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/accordion_with_icon.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/copy_to_clipboard_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/get_elastic_agent_setup_command.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/install_elastic_agent_steps.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/locator_button_empty.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/optional_form_row.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/popover_tooltip.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/progress_indicator.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/step_panel.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/step_status.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/troubleshooting_link.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/quickstart_flows/shared/windows_install_step.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/shared/back_button.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/shared/header_action_menu.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/shared/logo_icon.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/shared/test_wrapper.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/application/shared/use_custom_margin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/apache.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/apache_tomcat.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/apple.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/auto_detect.sh (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/charts_screen.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/docker.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/dotnet.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/firehose.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/haproxy.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/integrations.conf (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/java.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/javascript.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/kafka.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/kubernetes.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/linux.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/mongodb.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/mysql.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/nginx.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/opentelemetry.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/postgresql.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/rabbitmq.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/redis.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/ruby.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/standalone_agent_setup.sh (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/system.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/assets/waterfall_screen.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/context/create_wizard_context.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/context/nav_events.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/context/path.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_fetcher.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_flow_progress_telemetry.test.tsx (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_install_integrations.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_kibana.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/hooks/use_kibana_navigation.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/apache.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/apm.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/aws.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/azure.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/gcp.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/kinesis.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/kubernetes.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/logging.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/nginx.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/opentelemetry.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/system.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/icons/universal_profiling.svg (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/onboarding_locator/get_location.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/onboarding_locator/get_location.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/onboarding_locator/locator_definition.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/onboarding_locator/locator_definition.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/locators/onboarding_locator/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/services/rest/call_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/public/services/rest/create_call_api.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/scripts/test/api.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/scripts/test/e2e.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/scripts/test/jest.js (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/config.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/api_key/create_install_api_key.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/api_key/create_shipper_api_key.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/api_key/has_log_monitoring_privileges.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/api_key/privileges.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/get_agent_version.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/get_authentication_api_key.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/get_fallback_urls.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/state/get_observability_onboarding_flow.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/state/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/lib/state/save_observability_onboarding_flow.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/plugin.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/create_observability_onboarding_server_route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/elastic_agent/route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/firehose/route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/flow/get_has_logs.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/flow/make_tar.test.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/flow/make_tar.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/flow/route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/kubernetes/route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/logs/route.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/routes/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/saved_objects/observability_onboarding_status.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/services/es_legacy_config_service.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/test_helpers/create_observability_onboarding_users/authentication.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/call_kibana.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_custom_role.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_or_update_user.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/test_helpers/create_observability_onboarding_users/index.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/server/types.ts (100%) rename x-pack/{plugins/observability_solution => solutions/observability/plugins}/observability_onboarding/tsconfig.json (93%) diff --git a/.buildkite/ftr_oblt_stateful_configs.yml b/.buildkite/ftr_oblt_stateful_configs.yml index 3211c35f29e7a..381d4e7f24ba6 100644 --- a/.buildkite/ftr_oblt_stateful_configs.yml +++ b/.buildkite/ftr_oblt_stateful_configs.yml @@ -1,8 +1,8 @@ disabled: # Cypress configs, for now these are still run manually - - x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_open.ts - - x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_runner.ts - - x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config.ts + - x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_open.ts + - x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_runner.ts + - x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config.ts - x-pack/plugins/observability_solution/apm/ftr_e2e/ftr_config_run.ts - x-pack/plugins/observability_solution/apm/ftr_e2e/ftr_config.ts - x-pack/plugins/observability_solution/inventory/e2e/ftr_config_run.ts diff --git a/.buildkite/scripts/steps/functional/observability_onboarding_cypress.sh b/.buildkite/scripts/steps/functional/observability_onboarding_cypress.sh index 802bb447f72d2..e9aefc1ed059f 100644 --- a/.buildkite/scripts/steps/functional/observability_onboarding_cypress.sh +++ b/.buildkite/scripts/steps/functional/observability_onboarding_cypress.sh @@ -14,5 +14,5 @@ echo "--- Observability onboarding Cypress Tests" cd "$XPACK_DIR" -node plugins/observability_solution/observability_onboarding/scripts/test/e2e.js \ +node solutions/observability/plugins/observability_onboarding/scripts/test/e2e.js \ --kibana-install-dir "$KIBANA_BUILD_LOCATION" \ \ No newline at end of file diff --git a/.eslintrc.js b/.eslintrc.js index 93e3dabf3b861..b0db71e492bbe 100644 --- a/.eslintrc.js +++ b/.eslintrc.js @@ -989,7 +989,7 @@ module.exports = { 'x-pack/plugins/observability_solution/**/!(*.stories.tsx|*.test.tsx|*.storybook_decorator.tsx|*.mock.tsx)', 'x-pack/plugins/{streams,streams_app}/**/!(*.stories.tsx|*.test.tsx|*.storybook_decorator.tsx|*.mock.tsx)', 'src/plugins/ai_assistant_management/**/!(*.stories.tsx|*.test.tsx|*.storybook_decorator.tsx|*.mock.tsx)', - 'x-pack/packages/observability/logs_overview/**/!(*.stories.tsx|*.test.tsx|*.storybook_decorator.tsx|*.mock.tsx)', + 'x-pack/platform/packages/shared/observability/logs_overview/**/!(*.stories.tsx|*.test.tsx|*.storybook_decorator.tsx|*.mock.tsx)', ], rules: { '@kbn/i18n/strings_should_be_translated_with_i18n': 'warn', diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index 66d9654e561b4..9051c3580057a 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -311,8 +311,6 @@ packages/kbn-config-schema @elastic/kibana-core packages/kbn-content-management-utils @elastic/kibana-data-discovery packages/kbn-crypto @elastic/kibana-security packages/kbn-crypto-browser @elastic/kibana-core -packages/kbn-custom-icons @elastic/obs-ux-logs-team -packages/kbn-custom-integrations @elastic/obs-ux-logs-team packages/kbn-cypress-config @elastic/kibana-operations packages/kbn-data-service @elastic/kibana-visualizations @elastic/kibana-data-discovery packages/kbn-data-view-utils @elastic/kibana-data-discovery @@ -323,12 +321,10 @@ packages/kbn-dev-cli-errors @elastic/kibana-operations packages/kbn-dev-cli-runner @elastic/kibana-operations packages/kbn-dev-proc-runner @elastic/kibana-operations packages/kbn-dev-utils @elastic/kibana-operations -packages/kbn-discover-contextual-components @elastic/obs-ux-logs-team @elastic/kibana-data-discovery packages/kbn-discover-utils @elastic/kibana-data-discovery packages/kbn-docs-utils @elastic/kibana-operations packages/kbn-dom-drag-drop @elastic/kibana-visualizations @elastic/kibana-data-discovery packages/kbn-ebt-tools @elastic/kibana-core -packages/kbn-elastic-agent-utils @elastic/obs-ux-logs-team packages/kbn-es @elastic/kibana-operations packages/kbn-es-archiver @elastic/kibana-operations @elastic/appex-qa packages/kbn-es-errors @elastic/kibana-core @@ -409,7 +405,6 @@ packages/kbn-plugin-generator @elastic/kibana-operations packages/kbn-plugin-helpers @elastic/kibana-operations packages/kbn-profiling-utils @elastic/obs-ux-infra_services-team packages/kbn-react-field @elastic/kibana-data-discovery -packages/kbn-react-hooks @elastic/obs-ux-logs-team packages/kbn-react-mute-legacy-root-warning @elastic/appex-sharedux packages/kbn-recently-accessed @elastic/appex-sharedux packages/kbn-relocate @elastic/kibana-core @@ -434,7 +429,6 @@ packages/kbn-reporting/server @elastic/appex-sharedux packages/kbn-resizable-layout @elastic/kibana-data-discovery packages/kbn-rison @elastic/kibana-operations packages/kbn-router-to-openapispec @elastic/kibana-core -packages/kbn-router-utils @elastic/obs-ux-logs-team packages/kbn-rrule @elastic/response-ops packages/kbn-safer-lodash-set @elastic/kibana-security packages/kbn-saved-objects-settings @elastic/appex-sharedux @@ -468,7 +462,6 @@ packages/kbn-test-eui-helpers @elastic/kibana-visualizations packages/kbn-test-jest-helpers @elastic/kibana-operations @elastic/appex-qa packages/kbn-test-subj-selector @elastic/kibana-operations @elastic/appex-qa packages/kbn-timelion-grammar @elastic/kibana-visualizations -packages/kbn-timerange @elastic/obs-ux-logs-team packages/kbn-tinymath @elastic/kibana-visualizations packages/kbn-tooling-log @elastic/kibana-operations packages/kbn-transpose-utils @elastic/kibana-visualizations @@ -494,7 +487,6 @@ packages/kbn-visualization-ui-components @elastic/kibana-visualizations packages/kbn-visualization-utils @elastic/kibana-visualizations packages/kbn-web-worker-stub @elastic/kibana-operations packages/kbn-whereis-pkg-cli @elastic/kibana-operations -packages/kbn-xstate-utils @elastic/obs-ux-logs-team packages/kbn-yarn-lock-validator @elastic/kibana-operations packages/kbn-zod @elastic/kibana-core packages/presentation/presentation_containers @elastic/kibana-presentation @@ -581,7 +573,10 @@ src/platform/packages/shared/deeplinks/observability @elastic/obs-ux-management- src/platform/packages/shared/deeplinks/security @elastic/security-solution src/platform/packages/shared/kbn-avc-banner @elastic/security-defend-workflows src/platform/packages/shared/kbn-cell-actions @elastic/security-threat-hunting-explore +src/platform/packages/shared/kbn-custom-icons @elastic/obs-ux-logs-team +src/platform/packages/shared/kbn-discover-contextual-components @elastic/obs-ux-logs-team @elastic/kibana-data-discovery src/platform/packages/shared/kbn-doc-links @elastic/docs +src/platform/packages/shared/kbn-elastic-agent-utils @elastic/obs-ux-logs-team src/platform/packages/shared/kbn-esql-ast @elastic/kibana-esql src/platform/packages/shared/kbn-esql-utils @elastic/kibana-esql src/platform/packages/shared/kbn-esql-validation-autocomplete @elastic/kibana-esql @@ -594,6 +589,8 @@ src/platform/packages/shared/kbn-management/settings/types @elastic/kibana-manag src/platform/packages/shared/kbn-management/settings/utilities @elastic/kibana-management src/platform/packages/shared/kbn-openapi-common @elastic/security-detection-rule-management src/platform/packages/shared/kbn-osquery-io-ts-types @elastic/security-asset-management +src/platform/packages/shared/kbn-react-hooks @elastic/obs-ux-logs-team +src/platform/packages/shared/kbn-router-utils @elastic/obs-ux-logs-team src/platform/packages/shared/kbn-rule-data-utils @elastic/security-detections-response @elastic/response-ops @elastic/obs-ux-management-team src/platform/packages/shared/kbn-securitysolution-ecs @elastic/security-threat-hunting-explore src/platform/packages/shared/kbn-securitysolution-es-utils @elastic/security-detection-engine @@ -606,8 +603,10 @@ src/platform/packages/shared/kbn-server-route-repository-utils @elastic/obs-know src/platform/packages/shared/kbn-sse-utils @elastic/obs-knowledge-team src/platform/packages/shared/kbn-sse-utils-client @elastic/obs-knowledge-team src/platform/packages/shared/kbn-sse-utils-server @elastic/obs-knowledge-team +src/platform/packages/shared/kbn-timerange @elastic/obs-ux-logs-team src/platform/packages/shared/kbn-typed-react-router-config @elastic/obs-knowledge-team @elastic/obs-ux-infra_services-team src/platform/packages/shared/kbn-unsaved-changes-prompt @elastic/kibana-management +src/platform/packages/shared/kbn-xstate-utils @elastic/obs-ux-logs-team src/platform/packages/shared/kbn-zod-helpers @elastic/security-detection-rule-management src/platform/packages/shared/serverless/settings/security_project @elastic/security-solution @elastic/kibana-management src/platform/plugins/shared/ai_assistant_management/selection @elastic/obs-ai-assistant @@ -766,7 +765,6 @@ x-pack/packages/kbn-alerting-state-types @elastic/response-ops x-pack/packages/kbn-random-sampling @elastic/kibana-visualizations x-pack/packages/kbn-synthetics-private-location @elastic/obs-ux-management-team x-pack/packages/maps/vector_tile_utils @elastic/kibana-presentation -x-pack/packages/observability/logs_overview @elastic/obs-ux-logs-team x-pack/packages/observability/observability_utils/observability_utils_browser @elastic/observability-ui x-pack/packages/observability/observability_utils/observability_utils_common @elastic/observability-ui x-pack/packages/observability/observability_utils/observability_utils_server @elastic/observability-ui @@ -837,6 +835,7 @@ x-pack/platform/packages/shared/ml/response_stream @elastic/ml-ui x-pack/platform/packages/shared/ml/runtime_field_utils @elastic/ml-ui x-pack/platform/packages/shared/ml/trained_models_utils @elastic/ml-ui x-pack/platform/packages/shared/observability/alerting_rule_utils @elastic/obs-ux-management-team +x-pack/platform/packages/shared/observability/logs_overview @elastic/obs-ux-logs-team x-pack/platform/plugins/private/cloud_integrations/cloud_data_migration @elastic/kibana-management x-pack/platform/plugins/private/cross_cluster_replication @elastic/kibana-management x-pack/platform/plugins/private/data_usage @elastic/obs-ai-assistant @elastic/security-solution @@ -855,12 +854,17 @@ x-pack/platform/plugins/private/watcher @elastic/kibana-management x-pack/platform/plugins/shared/ai_infra/llm_tasks @elastic/appex-ai-infra x-pack/platform/plugins/shared/ai_infra/product_doc_base @elastic/appex-ai-infra x-pack/platform/plugins/shared/aiops @elastic/ml-ui +x-pack/platform/plugins/shared/data_quality @elastic/obs-ux-logs-team +x-pack/platform/plugins/shared/dataset_quality @elastic/obs-ux-logs-team x-pack/platform/plugins/shared/entity_manager @elastic/obs-entities +x-pack/platform/plugins/shared/fields_metadata @elastic/obs-ux-logs-team x-pack/platform/plugins/shared/index_management @elastic/kibana-management x-pack/platform/plugins/shared/inference @elastic/appex-ai-infra x-pack/platform/plugins/shared/ingest_pipelines @elastic/kibana-management x-pack/platform/plugins/shared/integration_assistant @elastic/security-scalability x-pack/platform/plugins/shared/license_management @elastic/kibana-management +x-pack/platform/plugins/shared/logs_data_access @elastic/obs-ux-logs-team +x-pack/platform/plugins/shared/logs_shared @elastic/obs-ux-logs-team x-pack/platform/plugins/shared/ml @elastic/ml-ui x-pack/platform/plugins/shared/observability_solution/observability_ai_assistant @elastic/obs-ai-assistant x-pack/platform/plugins/shared/osquery @elastic/security-defend-workflows @@ -878,7 +882,6 @@ x-pack/plugins/cloud_integrations/cloud_full_story @elastic/kibana-core x-pack/plugins/cloud_integrations/cloud_links @elastic/kibana-core x-pack/plugins/custom_branding @elastic/appex-sharedux x-pack/plugins/dashboard_enhanced @elastic/kibana-presentation -x-pack/plugins/data_quality @elastic/obs-ux-logs-team x-pack/plugins/discover_enhanced @elastic/kibana-data-discovery x-pack/plugins/drilldowns/url_drilldown @elastic/appex-sharedux x-pack/plugins/embeddable_enhanced @elastic/kibana-presentation @@ -886,7 +889,6 @@ x-pack/plugins/encrypted_saved_objects @elastic/kibana-security x-pack/plugins/enterprise_search @elastic/search-kibana x-pack/plugins/event_log @elastic/response-ops x-pack/plugins/features @elastic/kibana-core -x-pack/plugins/fields_metadata @elastic/obs-ux-logs-team x-pack/plugins/file_upload @elastic/kibana-presentation @elastic/ml-ui x-pack/plugins/fleet @elastic/fleet x-pack/plugins/global_search @elastic/appex-sharedux @@ -903,17 +905,9 @@ x-pack/plugins/notifications @elastic/appex-sharedux x-pack/plugins/observability_solution/apm @elastic/obs-ux-infra_services-team x-pack/plugins/observability_solution/apm_data_access @elastic/obs-ux-infra_services-team x-pack/plugins/observability_solution/apm/ftr_e2e @elastic/obs-ux-infra_services-team -x-pack/plugins/observability_solution/dataset_quality @elastic/obs-ux-logs-team -x-pack/plugins/observability_solution/infra @elastic/obs-ux-logs-team @elastic/obs-ux-infra_services-team x-pack/plugins/observability_solution/inventory @elastic/obs-ux-infra_services-team x-pack/plugins/observability_solution/inventory/e2e @elastic/obs-ux-infra_services-team -x-pack/plugins/observability_solution/logs_data_access @elastic/obs-ux-logs-team -x-pack/plugins/observability_solution/logs_explorer @elastic/obs-ux-logs-team -x-pack/plugins/observability_solution/logs_shared @elastic/obs-ux-logs-team x-pack/plugins/observability_solution/metrics_data_access @elastic/obs-ux-infra_services-team -x-pack/plugins/observability_solution/observability_logs_explorer @elastic/obs-ux-logs-team -x-pack/plugins/observability_solution/observability_onboarding @elastic/obs-ux-logs-team -x-pack/plugins/observability_solution/observability_onboarding/e2e @elastic/obs-ux-logs-team x-pack/plugins/observability_solution/observability_shared @elastic/observability-ui x-pack/plugins/observability_solution/profiling @elastic/obs-ux-infra_services-team x-pack/plugins/observability_solution/profiling_data_access @elastic/obs-ux-infra_services-team @@ -941,16 +935,22 @@ x-pack/plugins/upgrade_assistant @elastic/kibana-core x-pack/solutions/observability/packages/alert_details @elastic/obs-ux-management-team x-pack/solutions/observability/packages/alerting_test_data @elastic/obs-ux-management-team x-pack/solutions/observability/packages/get_padded_alert_time_range_util @elastic/obs-ux-management-team +x-pack/solutions/observability/packages/kbn-custom-integrations @elastic/obs-ux-logs-team x-pack/solutions/observability/packages/kbn-investigation-shared @elastic/obs-ux-management-team x-pack/solutions/observability/packages/observability_ai/observability_ai_common @elastic/obs-ai-assistant x-pack/solutions/observability/packages/observability_ai/observability_ai_server @elastic/obs-ai-assistant x-pack/solutions/observability/packages/synthetics_test_data @elastic/obs-ux-management-team x-pack/solutions/observability/plugins/exploratory_view @elastic/obs-ux-management-team +x-pack/solutions/observability/plugins/infra @elastic/obs-ux-logs-team @elastic/obs-ux-infra_services-team x-pack/solutions/observability/plugins/investigate @elastic/obs-ux-management-team x-pack/solutions/observability/plugins/investigate_app @elastic/obs-ux-management-team +x-pack/solutions/observability/plugins/logs_explorer @elastic/obs-ux-logs-team x-pack/solutions/observability/plugins/observability @elastic/obs-ux-management-team x-pack/solutions/observability/plugins/observability_ai_assistant_app @elastic/obs-ai-assistant x-pack/solutions/observability/plugins/observability_ai_assistant_management @elastic/obs-ai-assistant +x-pack/solutions/observability/plugins/observability_logs_explorer @elastic/obs-ux-logs-team +x-pack/solutions/observability/plugins/observability_onboarding @elastic/obs-ux-logs-team +x-pack/solutions/observability/plugins/observability_onboarding/e2e @elastic/obs-ux-logs-team x-pack/solutions/observability/plugins/observability_solution/entities_data_access @elastic/obs-entities x-pack/solutions/observability/plugins/observability_solution/entity_manager_app @elastic/obs-entities x-pack/solutions/observability/plugins/serverless_observability @elastic/obs-ux-management-team @@ -1281,26 +1281,26 @@ packages/kbn-monaco/src/esql @elastic/kibana-esql /x-pack/test/functional/es_archives/infra @elastic/obs-ux-infra_services-team /x-pack/test_serverless/**/test_suites/observability/infra/ @elastic/obs-ux-infra_services-team /test/common/plugins/otel_metrics @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/common @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/docs @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/alerting @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/apps @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/common @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/components @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/containers @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/hooks @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/images @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/lib @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/pages @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/services @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/test_utils @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/public/utils @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/lib @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/routes @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/saved_objects @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/services @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/usage @elastic/obs-ux-infra_services-team -/x-pack/plugins/observability_solution/infra/server/utils @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/common @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/docs @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/alerting @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/apps @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/common @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/components @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/containers @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/hooks @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/images @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/lib @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/pages @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/services @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/test_utils @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/public/utils @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/lib @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/routes @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/saved_objects @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/services @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/usage @elastic/obs-ux-infra_services-team +/x-pack/solutions/observability/plugins/infra/server/utils @elastic/obs-ux-infra_services-team /x-pack/test_serverless/functional/test_suites/observability/infra @elastic/obs-ux-infra_services-team /x-pack/test/api_integration/services/infraops_source_configuration.ts @elastic/obs-ux-infra_services-team @elastic/obs-ux-logs-team # Assigned per https://github.com/elastic/kibana/pull/34916 @@ -1309,25 +1309,25 @@ packages/kbn-monaco/src/esql @elastic/kibana-esql /x-pack/test/upgrade/apps/logs @elastic/obs-ux-logs-team /x-pack/test_serverless/functional/page_objects/svl_oblt_onboarding_stream_log_file.ts @elastic/obs-ux-logs-team /x-pack/test_serverless/functional/page_objects/svl_oblt_onboarding_page.ts @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/http_api/log_alerts @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/log_analysis @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/log_search_result @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/log_search_summary @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/log_text_scale @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/performance_tracing.ts @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/common/search_strategies/log_entries @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/docs/state_machines @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/apps/logs_app.tsx @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/components/log_stream @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/components/logging @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/containers/logs @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/observability_logs @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/public/pages/logs @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/server/lib/log_analysis @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/server/routes/log_alerts @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/server/routes/log_analysis @elastic/obs-ux-logs-team -/x-pack/plugins/observability_solution/infra/server/services/rules @elastic/obs-ux-infra_services-team @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/log_analysis @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/log_search_result @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/log_search_summary @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/log_text_scale @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/performance_tracing.ts @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/common/search_strategies/log_entries @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/docs/state_machines @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/apps/logs_app.tsx @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/components/log_stream @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/components/logging @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/containers/logs @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/observability_logs @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/public/pages/logs @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/server/routes/log_alerts @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis @elastic/obs-ux-logs-team +/x-pack/solutions/observability/plugins/infra/server/services/rules @elastic/obs-ux-infra_services-team @elastic/obs-ux-logs-team /x-pack/test/common/utils/synthtrace @elastic/obs-ux-infra_services-team @elastic/obs-ux-logs-team # Assigned per https://github.com/elastic/kibana/blob/main/packages/kbn-apm-synthtrace/kibana.jsonc#L5 # Infra Monitoring tests @@ -1349,8 +1349,8 @@ packages/kbn-monaco/src/esql @elastic/kibana-esql /x-pack/test/accessibility/apps/group3/observability.ts @elastic/obs-ux-management-team /x-pack/packages/observability/alert_details @elastic/obs-ux-management-team /x-pack/test/observability_functional @elastic/obs-ux-management-team -/x-pack/plugins/observability_solution/infra/public/alerting @elastic/obs-ux-management-team -/x-pack/plugins/observability_solution/infra/server/lib/alerting @elastic/obs-ux-management-team +/x-pack/solutions/observability/plugins/infra/public/alerting @elastic/obs-ux-management-team +/x-pack/solutions/observability/plugins/infra/server/lib/alerting @elastic/obs-ux-management-team /x-pack/test_serverless/**/test_suites/observability/custom_threshold_rule/ @elastic/obs-ux-management-team /x-pack/test_serverless/**/test_suites/observability/slos/ @elastic/obs-ux-management-team /x-pack/test_serverless/api_integration/test_suites/observability/es_query_rule @elastic/obs-ux-management-team @@ -3295,10 +3295,10 @@ x-pack/solutions/observability/packages/alerting_test_data @elastic/obs-ux-manag x-pack/solutions/observability/packages/get_padded_alert_time_range_util @elastic/obs-ux-management-team x-pack/solutions/observability/packages/kbn-alerts-grouping @elastic/response-ops x-pack/solutions/observability/packages/kbn-apm-types @elastic/obs-ux-infra_services-team -x-pack/solutions/observability/packages/kbn-custom-integrations @elastic/obs-ux-logs-team +x-pack/solutions/observability/x-pack/solutions/observability/packages/kbn-custom-integrations @elastic/obs-ux-logs-team x-pack/solutions/observability/packages/kbn-investigation-shared @elastic/obs-ux-management-team -x-pack/solutions/observability/packages/kbn-timerange @elastic/obs-ux-logs-team -x-pack/solutions/observability/packages/kbn-xstate-utils @elastic/obs-ux-logs-team +x-pack/solutions/observability/src/platform/packages/shared/kbn-timerange @elastic/obs-ux-logs-team +x-pack/solutions/observability/src/platform/packages/shared/kbn-xstate-utils @elastic/obs-ux-logs-team x-pack/solutions/observability/packages/logs_overview @elastic/obs-ux-logs-team x-pack/solutions/observability/packages/observability_ai/observability_ai_common @elastic/obs-ai-assistant x-pack/solutions/observability/packages/observability_ai/observability_ai_server @elastic/obs-ai-assistant @@ -3308,7 +3308,7 @@ x-pack/solutions/observability/packages/observability_utils/observability_utils_ x-pack/solutions/observability/packages/synthetics_test_data @elastic/obs-ux-management-team x-pack/solutions/observability/plugins/apm @elastic/obs-ux-infra_services-team x-pack/solutions/observability/plugins/apm_data_access @elastic/obs-ux-infra_services-team -x-pack/solutions/observability/plugins/data_quality @elastic/obs-ux-logs-team +x-pack/solutions/observability/platform/plugins/shared/data_quality @elastic/obs-ux-logs-team x-pack/solutions/observability/plugins/dataset_quality @elastic/obs-ux-logs-team x-pack/solutions/observability/plugins/entities_data_access @elastic/obs-entities x-pack/solutions/observability/plugins/entity_manager_app @elastic/obs-entities diff --git a/.i18nrc.json b/.i18nrc.json index aeab3c4a16d23..b68b71b6ae9b5 100644 --- a/.i18nrc.json +++ b/.i18nrc.json @@ -15,7 +15,7 @@ "contentManagement": "packages/content-management", "core": ["src/core", "packages/core"], "customIntegrations": "src/plugins/custom_integrations", - "customIntegrationsPackage": "packages/kbn-custom-integrations", + "customIntegrationsPackage": "x-pack/solutions/observability/packages/kbn-custom-integrations", "dashboard": "src/plugins/dashboard", "cloud": "packages/cloud", "domDragDrop": "packages/kbn-dom-drag-drop", @@ -28,7 +28,7 @@ "discover": [ "src/plugins/discover", "packages/kbn-discover-utils", - "packages/kbn-discover-contextual-components" + "src/platform/packages/shared/kbn-discover-contextual-components" ], "savedSearch": "src/plugins/saved_search", "embeddableApi": "src/plugins/embeddable", diff --git a/docs/developer/plugin-list.asciidoc b/docs/developer/plugin-list.asciidoc index f97f4b4a20a04..a83771cf598c2 100644 --- a/docs/developer/plugin-list.asciidoc +++ b/docs/developer/plugin-list.asciidoc @@ -530,11 +530,11 @@ Plugin server-side only. Plugin has three main functions: |Adds drilldown capabilities to dashboard. Owned by the Kibana App team. -|{kib-repo}blob/{branch}/x-pack/plugins/data_quality/README.md[dataQuality] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/data_quality/README.md[dataQuality] |Page where users can see the quality of their log data sets. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/dataset_quality/README.md[datasetQuality] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/dataset_quality/README.md[datasetQuality] |In order to make ongoing maintenance of log collection easy we want to introduce the concept of data set quality, where users can easily get an overview on the data sets they have with information such as integration, size, last activity, among others. @@ -597,7 +597,7 @@ activities. |The features plugin enhance Kibana with a per-feature privilege system. -|{kib-repo}blob/{branch}/x-pack/plugins/fields_metadata/README.md[fieldsMetadata] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/fields_metadata/README.md[fieldsMetadata] |The @kbn/fields-metadata-plugin is designed to provide a centralized and asynchronous way to consume field metadata across Kibana. This plugin addresses the need for on-demand retrieval of field metadata from static ECS/Metadata definitions and integration manifests, with the flexibility to extend to additional resolution sources in the future. @@ -645,7 +645,7 @@ Index Management by running this series of requests in Console: external LLM APIs. Its goals are: -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/infra/README.md[infra] +|{kib-repo}blob/{branch}/x-pack/solutions/observability/plugins/infra/README.md[infra] |This is the home of the infra plugin, which aims to provide a solution for the infrastructure monitoring use-case within Kibana. @@ -699,15 +699,15 @@ using the CURL scripts in the scripts folder. |This plugin contains various LLM tasks. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/logs_data_access/README.md[logsDataAccess] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/logs_data_access/README.md[logsDataAccess] |Exposes services to access logs data. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/logs_explorer/README.md[logsExplorer] +|{kib-repo}blob/{branch}/x-pack/solutions/observability/plugins/logs_explorer/README.md[logsExplorer] |This plugin is home to the component and related types. It implements several of the underlying concepts that the Observability Logs Explorer app builds upon. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/logs_shared/README.md[logsShared] +|{kib-repo}blob/{branch}/x-pack/platform/plugins/shared/logs_shared/README.md[logsShared] |Exposes the shared components and APIs to access and visualize logs. @@ -756,11 +756,11 @@ Elastic. |The observabilityAiAssistantManagement plugin manages the Ai Assistant for Observability and Search management section. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/observability_logs_explorer/README.md[observabilityLogsExplorer] +|{kib-repo}blob/{branch}/x-pack/solutions/observability/plugins/observability_logs_explorer/README.md[observabilityLogsExplorer] |This plugin provides an app based on the LogsExplorer component from the logs_explorer plugin, but adds observability-specific affordances. -|{kib-repo}blob/{branch}/x-pack/plugins/observability_solution/observability_onboarding/README.md[observabilityOnboarding] +|{kib-repo}blob/{branch}/x-pack/solutions/observability/plugins/observability_onboarding/README.md[observabilityOnboarding] |This plugin provides an onboarding framework for observability solutions: Logs and APM. diff --git a/oas_docs/overlays/alerting.overlays.yaml b/oas_docs/overlays/alerting.overlays.yaml index 0f579b54a5502..cec723bfabd2f 100644 --- a/oas_docs/overlays/alerting.overlays.yaml +++ b/oas_docs/overlays/alerting.overlays.yaml @@ -105,11 +105,11 @@ actions: # Index threshold rule () - $ref: '../../x-pack/plugins/alerting/docs/openapi/components/schemas/params_index_threshold_rule.yaml' # Infra inventory rule (metrics.alert.inventory.threshold) - - $ref: '../../x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml' + - $ref: '../../x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml' # Log threshold rule (logs.alert.document.count) - - $ref: '../../x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_log_threshold.yaml' + - $ref: '../../x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_log_threshold.yaml' # Infra metric threshold rule (metrics.alert.threshold) - - $ref: '../../x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml' + - $ref: '../../x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml' # SLO burn rate (slo.rules.burnRate) - $ref: '../../x-pack/solutions/observability/plugins/slo/server/lib/rules/slo_burn_rate/docs/params_property_slo_burn_rate.yaml' # Synthetics uptime TLS rule (xpack.uptime.alerts.tls) diff --git a/package.json b/package.json index e76a2c898559f..b0d9f7c093c1f 100644 --- a/package.json +++ b/package.json @@ -417,14 +417,14 @@ "@kbn/crypto": "link:packages/kbn-crypto", "@kbn/crypto-browser": "link:packages/kbn-crypto-browser", "@kbn/custom-branding-plugin": "link:x-pack/plugins/custom_branding", - "@kbn/custom-icons": "link:packages/kbn-custom-icons", - "@kbn/custom-integrations": "link:packages/kbn-custom-integrations", + "@kbn/custom-icons": "link:src/platform/packages/shared/kbn-custom-icons", + "@kbn/custom-integrations": "link:x-pack/solutions/observability/packages/kbn-custom-integrations", "@kbn/custom-integrations-plugin": "link:src/plugins/custom_integrations", "@kbn/dashboard-enhanced-plugin": "link:x-pack/plugins/dashboard_enhanced", "@kbn/dashboard-plugin": "link:src/plugins/dashboard", "@kbn/data-forge": "link:x-pack/platform/packages/shared/kbn-data-forge", "@kbn/data-plugin": "link:src/plugins/data", - "@kbn/data-quality-plugin": "link:x-pack/plugins/data_quality", + "@kbn/data-quality-plugin": "link:x-pack/platform/plugins/shared/data_quality", "@kbn/data-search-plugin": "link:test/plugin_functional/plugins/data_search", "@kbn/data-service": "link:packages/kbn-data-service", "@kbn/data-stream-adapter": "link:x-pack/solutions/security/packages/data-stream-adapter", @@ -436,7 +436,7 @@ "@kbn/data-view-utils": "link:packages/kbn-data-view-utils", "@kbn/data-views-plugin": "link:src/plugins/data_views", "@kbn/data-visualizer-plugin": "link:x-pack/platform/plugins/private/data_visualizer", - "@kbn/dataset-quality-plugin": "link:x-pack/plugins/observability_solution/dataset_quality", + "@kbn/dataset-quality-plugin": "link:x-pack/platform/plugins/shared/dataset_quality", "@kbn/datemath": "link:packages/kbn-datemath", "@kbn/deeplinks-analytics": "link:packages/deeplinks/analytics", "@kbn/deeplinks-devtools": "link:src/platform/packages/shared/deeplinks/devtools", @@ -453,7 +453,7 @@ "@kbn/default-nav-ml": "link:src/platform/packages/private/default-nav/ml", "@kbn/dev-tools-plugin": "link:src/platform/plugins/shared/dev_tools", "@kbn/developer-examples-plugin": "link:examples/developer_examples", - "@kbn/discover-contextual-components": "link:packages/kbn-discover-contextual-components", + "@kbn/discover-contextual-components": "link:src/platform/packages/shared/kbn-discover-contextual-components", "@kbn/discover-customization-examples-plugin": "link:examples/discover_customization_examples", "@kbn/discover-enhanced-plugin": "link:x-pack/plugins/discover_enhanced", "@kbn/discover-plugin": "link:src/plugins/discover", @@ -464,7 +464,7 @@ "@kbn/ebt-tools": "link:packages/kbn-ebt-tools", "@kbn/ecs-data-quality-dashboard": "link:x-pack/solutions/security/packages/ecs_data_quality_dashboard", "@kbn/ecs-data-quality-dashboard-plugin": "link:x-pack/solutions/security/plugins/ecs_data_quality_dashboard", - "@kbn/elastic-agent-utils": "link:packages/kbn-elastic-agent-utils", + "@kbn/elastic-agent-utils": "link:src/platform/packages/shared/kbn-elastic-agent-utils", "@kbn/elastic-assistant": "link:x-pack/platform/packages/shared/kbn-elastic-assistant", "@kbn/elastic-assistant-common": "link:x-pack/platform/packages/shared/kbn-elastic-assistant-common", "@kbn/elastic-assistant-plugin": "link:x-pack/solutions/security/plugins/elastic_assistant", @@ -531,7 +531,7 @@ "@kbn/field-formats-plugin": "link:src/plugins/field_formats", "@kbn/field-types": "link:packages/kbn-field-types", "@kbn/field-utils": "link:packages/kbn-field-utils", - "@kbn/fields-metadata-plugin": "link:x-pack/plugins/fields_metadata", + "@kbn/fields-metadata-plugin": "link:x-pack/platform/plugins/shared/fields_metadata", "@kbn/file-upload-plugin": "link:x-pack/plugins/file_upload", "@kbn/files-example-plugin": "link:examples/files_example", "@kbn/files-management-plugin": "link:src/plugins/files_management", @@ -580,7 +580,7 @@ "@kbn/inference-plugin": "link:x-pack/platform/plugins/shared/inference", "@kbn/inference_integration_flyout": "link:x-pack/platform/packages/private/ml/inference_integration_flyout", "@kbn/infra-forge": "link:x-pack/platform/packages/private/kbn-infra-forge", - "@kbn/infra-plugin": "link:x-pack/plugins/observability_solution/infra", + "@kbn/infra-plugin": "link:x-pack/solutions/observability/plugins/infra", "@kbn/ingest-pipelines-plugin": "link:x-pack/platform/plugins/shared/ingest_pipelines", "@kbn/input-control-vis-plugin": "link:src/plugins/input_control_vis", "@kbn/inspector-plugin": "link:src/plugins/inspector", @@ -624,9 +624,9 @@ "@kbn/locator-explorer-plugin": "link:examples/locator_explorer", "@kbn/logging": "link:packages/kbn-logging", "@kbn/logging-mocks": "link:packages/kbn-logging-mocks", - "@kbn/logs-data-access-plugin": "link:x-pack/plugins/observability_solution/logs_data_access", - "@kbn/logs-explorer-plugin": "link:x-pack/plugins/observability_solution/logs_explorer", - "@kbn/logs-shared-plugin": "link:x-pack/plugins/observability_solution/logs_shared", + "@kbn/logs-data-access-plugin": "link:x-pack/platform/plugins/shared/logs_data_access", + "@kbn/logs-explorer-plugin": "link:x-pack/solutions/observability/plugins/logs_explorer", + "@kbn/logs-shared-plugin": "link:x-pack/platform/plugins/shared/logs_shared", "@kbn/logstash-plugin": "link:x-pack/plugins/logstash", "@kbn/managed-content-badge": "link:packages/kbn-managed-content-badge", "@kbn/management-cards-navigation": "link:src/platform/packages/shared/kbn-management/cards_navigation", @@ -701,9 +701,9 @@ "@kbn/observability-alerting-test-data": "link:x-pack/solutions/observability/packages/alerting_test_data", "@kbn/observability-fixtures-plugin": "link:x-pack/test/cases_api_integration/common/plugins/observability", "@kbn/observability-get-padded-alert-time-range-util": "link:x-pack/solutions/observability/packages/get_padded_alert_time_range_util", - "@kbn/observability-logs-explorer-plugin": "link:x-pack/plugins/observability_solution/observability_logs_explorer", - "@kbn/observability-logs-overview": "link:x-pack/packages/observability/logs_overview", - "@kbn/observability-onboarding-plugin": "link:x-pack/plugins/observability_solution/observability_onboarding", + "@kbn/observability-logs-explorer-plugin": "link:x-pack/solutions/observability/plugins/observability_logs_explorer", + "@kbn/observability-logs-overview": "link:x-pack/platform/packages/shared/observability/logs_overview", + "@kbn/observability-onboarding-plugin": "link:x-pack/solutions/observability/plugins/observability_onboarding", "@kbn/observability-plugin": "link:x-pack/solutions/observability/plugins/observability", "@kbn/observability-shared-plugin": "link:x-pack/plugins/observability_solution/observability_shared", "@kbn/observability-synthetics-test-data": "link:x-pack/solutions/observability/packages/synthetics_test_data", @@ -733,7 +733,7 @@ "@kbn/profiling-utils": "link:packages/kbn-profiling-utils", "@kbn/random-sampling": "link:x-pack/packages/kbn-random-sampling", "@kbn/react-field": "link:packages/kbn-react-field", - "@kbn/react-hooks": "link:packages/kbn-react-hooks", + "@kbn/react-hooks": "link:src/platform/packages/shared/kbn-react-hooks", "@kbn/react-kibana-context-common": "link:packages/react/kibana_context/common", "@kbn/react-kibana-context-render": "link:packages/react/kibana_context/render", "@kbn/react-kibana-context-root": "link:packages/react/kibana_context/root", @@ -769,7 +769,7 @@ "@kbn/rollup": "link:x-pack/platform/packages/private/rollup", "@kbn/rollup-plugin": "link:x-pack/platform/plugins/private/rollup", "@kbn/router-to-openapispec": "link:packages/kbn-router-to-openapispec", - "@kbn/router-utils": "link:packages/kbn-router-utils", + "@kbn/router-utils": "link:src/platform/packages/shared/kbn-router-utils", "@kbn/routing-example-plugin": "link:examples/routing_example", "@kbn/rrule": "link:packages/kbn-rrule", "@kbn/rule-data-utils": "link:src/platform/packages/shared/kbn-rule-data-utils", @@ -962,7 +962,7 @@ "@kbn/threat-intelligence-plugin": "link:x-pack/solutions/security/plugins/threat_intelligence", "@kbn/timelines-plugin": "link:x-pack/solutions/security/plugins/timelines", "@kbn/timelion-grammar": "link:packages/kbn-timelion-grammar", - "@kbn/timerange": "link:packages/kbn-timerange", + "@kbn/timerange": "link:src/platform/packages/shared/kbn-timerange", "@kbn/tinymath": "link:packages/kbn-tinymath", "@kbn/transform-plugin": "link:x-pack/platform/plugins/private/transform", "@kbn/translations-plugin": "link:x-pack/platform/plugins/private/translations", @@ -1024,7 +1024,7 @@ "@kbn/visualization-utils": "link:packages/kbn-visualization-utils", "@kbn/visualizations-plugin": "link:src/plugins/visualizations", "@kbn/watcher-plugin": "link:x-pack/platform/plugins/private/watcher", - "@kbn/xstate-utils": "link:packages/kbn-xstate-utils", + "@kbn/xstate-utils": "link:src/platform/packages/shared/kbn-xstate-utils", "@kbn/zod": "link:packages/kbn-zod", "@kbn/zod-helpers": "link:src/platform/packages/shared/kbn-zod-helpers", "@langchain/aws": "^0.1.2", @@ -1479,7 +1479,7 @@ "@kbn/manifest": "link:packages/kbn-manifest", "@kbn/mock-idp-plugin": "link:packages/kbn-mock-idp-plugin", "@kbn/mock-idp-utils": "link:packages/kbn-mock-idp-utils", - "@kbn/observability-onboarding-e2e": "link:x-pack/plugins/observability_solution/observability_onboarding/e2e", + "@kbn/observability-onboarding-e2e": "link:x-pack/solutions/observability/plugins/observability_onboarding/e2e", "@kbn/openapi-bundler": "link:packages/kbn-openapi-bundler", "@kbn/openapi-generator": "link:packages/kbn-openapi-generator", "@kbn/optimizer": "link:packages/kbn-optimizer", diff --git a/packages/kbn-custom-integrations/jest.config.js b/packages/kbn-custom-integrations/jest.config.js deleted file mode 100644 index 4d1e1c1b5a83c..0000000000000 --- a/packages/kbn-custom-integrations/jest.config.js +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -module.exports = { - preset: '@kbn/test/jest_node', - rootDir: '../..', - roots: ['/packages/kbn-custom-integrations'], -}; diff --git a/packages/kbn-custom-integrations/src/components/index.ts b/packages/kbn-custom-integrations/src/components/index.ts deleted file mode 100644 index d32c85801643d..0000000000000 --- a/packages/kbn-custom-integrations/src/components/index.ts +++ /dev/null @@ -1,13 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export { ConnectedCreateCustomIntegrationForm } from './create/form'; -export * from './create/error_callout'; -export * from './custom_integrations_button'; -export * from './custom_integrations_form'; diff --git a/packages/kbn-custom-integrations/src/hooks/index.ts b/packages/kbn-custom-integrations/src/hooks/index.ts deleted file mode 100644 index 4f44ba441e794..0000000000000 --- a/packages/kbn-custom-integrations/src/hooks/index.ts +++ /dev/null @@ -1,12 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export { useConsumerCustomIntegrations } from './use_consumer_custom_integrations'; -export { useCustomIntegrations } from './use_custom_integrations'; -export type { DispatchableEvents } from './use_consumer_custom_integrations'; diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts b/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts deleted file mode 100644 index ad8a949e1123b..0000000000000 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { DefaultCustomIntegrationsContext } from './types'; - -export const DEFAULT_CONTEXT: DefaultCustomIntegrationsContext = { - mode: 'create' as const, -}; diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts b/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts deleted file mode 100644 index 79722e15a4522..0000000000000 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts +++ /dev/null @@ -1,13 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -import { CustomIntegrationsState } from './state_machine'; - -export const createIsInitializedSelector = (state: CustomIntegrationsState) => - state && state.matches({ create: 'initialized' }); diff --git a/packages/kbn-custom-integrations/src/state_machines/index.ts b/packages/kbn-custom-integrations/src/state_machines/index.ts deleted file mode 100644 index f9ea08dac8714..0000000000000 --- a/packages/kbn-custom-integrations/src/state_machines/index.ts +++ /dev/null @@ -1,12 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -export { CustomIntegrationsProvider } from './custom_integrations/provider'; -export type { Callbacks } from './custom_integrations/provider'; -export type { InitialState } from './custom_integrations/types'; diff --git a/packages/kbn-ebt-tools/BUILD.bazel b/packages/kbn-ebt-tools/BUILD.bazel index 1ea329e82638e..93567fde14c11 100644 --- a/packages/kbn-ebt-tools/BUILD.bazel +++ b/packages/kbn-ebt-tools/BUILD.bazel @@ -25,7 +25,7 @@ SHARED_DEPS = [ "@npm//@elastic/apm-rum-core", "@npm//react", "@npm//react-router-dom", - "//packages/kbn-timerange" + "//src/platform/packages/shared/kbn-timerange" ] js_library( diff --git a/packages/kbn-router-utils/jest.config.js b/packages/kbn-router-utils/jest.config.js deleted file mode 100644 index ffbc9f07f2ebf..0000000000000 --- a/packages/kbn-router-utils/jest.config.js +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-router-utils'], -}; diff --git a/packages/kbn-test/src/functional_test_runner/lib/config/run_check_ftr_configs_cli.ts b/packages/kbn-test/src/functional_test_runner/lib/config/run_check_ftr_configs_cli.ts index 265bdbe9e0082..735413d2f2029 100644 --- a/packages/kbn-test/src/functional_test_runner/lib/config/run_check_ftr_configs_cli.ts +++ b/packages/kbn-test/src/functional_test_runner/lib/config/run_check_ftr_configs_cli.ts @@ -27,7 +27,7 @@ const IGNORED_PATHS = [ Path.resolve(REPO_ROOT, 'packages/kbn-test/src/jest/run_check_jest_configs_cli.ts'), Path.resolve( REPO_ROOT, - 'x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/playwright.config.ts' + 'x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/playwright.config.ts' ), ]; diff --git a/packages/kbn-timerange/jest.config.js b/packages/kbn-timerange/jest.config.js deleted file mode 100644 index df6ceeaa419a9..0000000000000 --- a/packages/kbn-timerange/jest.config.js +++ /dev/null @@ -1,14 +0,0 @@ -/* - * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-timerange'], -}; diff --git a/src/dev/storybook/aliases.ts b/src/dev/storybook/aliases.ts index 2bf3888ce6cb2..d2aeb97d648fd 100644 --- a/src/dev/storybook/aliases.ts +++ b/src/dev/storybook/aliases.ts @@ -25,7 +25,7 @@ export const storybookAliases = { 'src/platform/packages/private/kbn-language-documentation/.storybook', chart_icons: 'packages/kbn-chart-icons/.storybook', content_management_examples: 'examples/content_management_examples/.storybook', - custom_icons: 'packages/kbn-custom-icons/.storybook', + custom_icons: 'src/platform/packages/shared/kbn-custom-icons/.storybook', custom_integrations: 'src/plugins/custom_integrations/storybook', dashboard_enhanced: 'x-pack/plugins/dashboard_enhanced/.storybook', dashboard: 'src/plugins/dashboard/.storybook', @@ -46,12 +46,12 @@ export const storybookAliases = { fleet: 'x-pack/plugins/fleet/.storybook', grouping: 'packages/kbn-grouping/.storybook', home: 'src/plugins/home/.storybook', - infra: 'x-pack/plugins/observability_solution/infra/.storybook', + infra: 'x-pack/solutions/observability/plugins/infra/.storybook', inventory: 'x-pack/plugins/observability_solution/inventory/.storybook', investigate: 'x-pack/solutions/observability/plugins/investigate_app/.storybook', kibana_react: 'src/plugins/kibana_react/.storybook', lists: 'x-pack/solutions/security/plugins/lists/.storybook', - logs_explorer: 'x-pack/plugins/observability_solution/logs_explorer/.storybook', + logs_explorer: 'x-pack/solutions/observability/plugins/logs_explorer/.storybook', management: 'packages/kbn-management/storybook/config', observability: 'x-pack/solutions/observability/plugins/observability/.storybook', observability_ai_assistant: diff --git a/packages/kbn-custom-icons/.storybook/main.js b/src/platform/packages/shared/kbn-custom-icons/.storybook/main.js similarity index 100% rename from packages/kbn-custom-icons/.storybook/main.js rename to src/platform/packages/shared/kbn-custom-icons/.storybook/main.js diff --git a/packages/kbn-custom-icons/README.md b/src/platform/packages/shared/kbn-custom-icons/README.md similarity index 100% rename from packages/kbn-custom-icons/README.md rename to src/platform/packages/shared/kbn-custom-icons/README.md diff --git a/packages/kbn-custom-icons/assets/android.svg b/src/platform/packages/shared/kbn-custom-icons/assets/android.svg similarity index 100% rename from packages/kbn-custom-icons/assets/android.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/android.svg diff --git a/packages/kbn-custom-icons/assets/cpp.svg b/src/platform/packages/shared/kbn-custom-icons/assets/cpp.svg similarity index 100% rename from packages/kbn-custom-icons/assets/cpp.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/cpp.svg diff --git a/packages/kbn-custom-icons/assets/cpp_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/cpp_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/cpp_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/cpp_dark.svg diff --git a/packages/kbn-custom-icons/assets/default.svg b/src/platform/packages/shared/kbn-custom-icons/assets/default.svg similarity index 100% rename from packages/kbn-custom-icons/assets/default.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/default.svg diff --git a/packages/kbn-custom-icons/assets/dot_net.svg b/src/platform/packages/shared/kbn-custom-icons/assets/dot_net.svg similarity index 100% rename from packages/kbn-custom-icons/assets/dot_net.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/dot_net.svg diff --git a/packages/kbn-custom-icons/assets/erlang.svg b/src/platform/packages/shared/kbn-custom-icons/assets/erlang.svg similarity index 100% rename from packages/kbn-custom-icons/assets/erlang.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/erlang.svg diff --git a/packages/kbn-custom-icons/assets/erlang_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/erlang_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/erlang_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/erlang_dark.svg diff --git a/packages/kbn-custom-icons/assets/functions.svg b/src/platform/packages/shared/kbn-custom-icons/assets/functions.svg similarity index 100% rename from packages/kbn-custom-icons/assets/functions.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/functions.svg diff --git a/packages/kbn-custom-icons/assets/go.svg b/src/platform/packages/shared/kbn-custom-icons/assets/go.svg similarity index 100% rename from packages/kbn-custom-icons/assets/go.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/go.svg diff --git a/packages/kbn-custom-icons/assets/ios.svg b/src/platform/packages/shared/kbn-custom-icons/assets/ios.svg similarity index 100% rename from packages/kbn-custom-icons/assets/ios.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/ios.svg diff --git a/packages/kbn-custom-icons/assets/ios_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/ios_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/ios_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/ios_dark.svg diff --git a/packages/kbn-custom-icons/assets/java.svg b/src/platform/packages/shared/kbn-custom-icons/assets/java.svg similarity index 100% rename from packages/kbn-custom-icons/assets/java.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/java.svg diff --git a/packages/kbn-custom-icons/assets/lambda.svg b/src/platform/packages/shared/kbn-custom-icons/assets/lambda.svg similarity index 100% rename from packages/kbn-custom-icons/assets/lambda.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/lambda.svg diff --git a/packages/kbn-custom-icons/assets/nodejs.svg b/src/platform/packages/shared/kbn-custom-icons/assets/nodejs.svg similarity index 100% rename from packages/kbn-custom-icons/assets/nodejs.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/nodejs.svg diff --git a/packages/kbn-custom-icons/assets/ocaml.svg b/src/platform/packages/shared/kbn-custom-icons/assets/ocaml.svg similarity index 100% rename from packages/kbn-custom-icons/assets/ocaml.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/ocaml.svg diff --git a/packages/kbn-custom-icons/assets/opentelemetry.svg b/src/platform/packages/shared/kbn-custom-icons/assets/opentelemetry.svg similarity index 100% rename from packages/kbn-custom-icons/assets/opentelemetry.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/opentelemetry.svg diff --git a/packages/kbn-custom-icons/assets/otel_default.svg b/src/platform/packages/shared/kbn-custom-icons/assets/otel_default.svg similarity index 100% rename from packages/kbn-custom-icons/assets/otel_default.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/otel_default.svg diff --git a/packages/kbn-custom-icons/assets/php.svg b/src/platform/packages/shared/kbn-custom-icons/assets/php.svg similarity index 100% rename from packages/kbn-custom-icons/assets/php.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/php.svg diff --git a/packages/kbn-custom-icons/assets/php_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/php_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/php_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/php_dark.svg diff --git a/packages/kbn-custom-icons/assets/python.svg b/src/platform/packages/shared/kbn-custom-icons/assets/python.svg similarity index 100% rename from packages/kbn-custom-icons/assets/python.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/python.svg diff --git a/packages/kbn-custom-icons/assets/ruby.svg b/src/platform/packages/shared/kbn-custom-icons/assets/ruby.svg similarity index 100% rename from packages/kbn-custom-icons/assets/ruby.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/ruby.svg diff --git a/packages/kbn-custom-icons/assets/rumjs.svg b/src/platform/packages/shared/kbn-custom-icons/assets/rumjs.svg similarity index 100% rename from packages/kbn-custom-icons/assets/rumjs.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/rumjs.svg diff --git a/packages/kbn-custom-icons/assets/rumjs_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/rumjs_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/rumjs_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/rumjs_dark.svg diff --git a/packages/kbn-custom-icons/assets/rust.svg b/src/platform/packages/shared/kbn-custom-icons/assets/rust.svg similarity index 100% rename from packages/kbn-custom-icons/assets/rust.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/rust.svg diff --git a/packages/kbn-custom-icons/assets/rust_dark.svg b/src/platform/packages/shared/kbn-custom-icons/assets/rust_dark.svg similarity index 100% rename from packages/kbn-custom-icons/assets/rust_dark.svg rename to src/platform/packages/shared/kbn-custom-icons/assets/rust_dark.svg diff --git a/packages/kbn-custom-icons/index.ts b/src/platform/packages/shared/kbn-custom-icons/index.ts similarity index 100% rename from packages/kbn-custom-icons/index.ts rename to src/platform/packages/shared/kbn-custom-icons/index.ts diff --git a/packages/kbn-discover-contextual-components/jest.config.js b/src/platform/packages/shared/kbn-custom-icons/jest.config.js similarity index 83% rename from packages/kbn-discover-contextual-components/jest.config.js rename to src/platform/packages/shared/kbn-custom-icons/jest.config.js index bacfd33649ce4..c6899d93b5e9e 100644 --- a/packages/kbn-discover-contextual-components/jest.config.js +++ b/src/platform/packages/shared/kbn-custom-icons/jest.config.js @@ -9,6 +9,6 @@ module.exports = { preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-discover-contextual-components'], + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-custom-icons'], }; diff --git a/packages/kbn-custom-icons/kibana.jsonc b/src/platform/packages/shared/kbn-custom-icons/kibana.jsonc similarity index 100% rename from packages/kbn-custom-icons/kibana.jsonc rename to src/platform/packages/shared/kbn-custom-icons/kibana.jsonc diff --git a/packages/kbn-custom-icons/package.json b/src/platform/packages/shared/kbn-custom-icons/package.json similarity index 100% rename from packages/kbn-custom-icons/package.json rename to src/platform/packages/shared/kbn-custom-icons/package.json diff --git a/packages/kbn-custom-icons/src/components/agent_icon/agent_icon.stories.tsx b/src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/agent_icon.stories.tsx similarity index 100% rename from packages/kbn-custom-icons/src/components/agent_icon/agent_icon.stories.tsx rename to src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/agent_icon.stories.tsx diff --git a/packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.test.ts b/src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.test.ts similarity index 100% rename from packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.test.ts rename to src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.test.ts diff --git a/packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts b/src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts similarity index 100% rename from packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts rename to src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts diff --git a/packages/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts b/src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts similarity index 100% rename from packages/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts rename to src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts diff --git a/packages/kbn-custom-icons/src/components/agent_icon/index.tsx b/src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx similarity index 100% rename from packages/kbn-custom-icons/src/components/agent_icon/index.tsx rename to src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx diff --git a/packages/kbn-custom-icons/src/components/cloud_provider_icon/cloud_provider_icon.stories.tsx b/src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/cloud_provider_icon.stories.tsx similarity index 100% rename from packages/kbn-custom-icons/src/components/cloud_provider_icon/cloud_provider_icon.stories.tsx rename to src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/cloud_provider_icon.stories.tsx diff --git a/packages/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts b/src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts similarity index 100% rename from packages/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts rename to src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts diff --git a/packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx b/src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx similarity index 100% rename from packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx rename to src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx diff --git a/packages/kbn-custom-icons/tsconfig.json b/src/platform/packages/shared/kbn-custom-icons/tsconfig.json similarity index 86% rename from packages/kbn-custom-icons/tsconfig.json rename to src/platform/packages/shared/kbn-custom-icons/tsconfig.json index 5cd845d4948c6..380335f9e2dd5 100644 --- a/packages/kbn-custom-icons/tsconfig.json +++ b/src/platform/packages/shared/kbn-custom-icons/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-discover-contextual-components/README.md b/src/platform/packages/shared/kbn-discover-contextual-components/README.md similarity index 100% rename from packages/kbn-discover-contextual-components/README.md rename to src/platform/packages/shared/kbn-discover-contextual-components/README.md diff --git a/packages/kbn-discover-contextual-components/index.ts b/src/platform/packages/shared/kbn-discover-contextual-components/index.ts similarity index 100% rename from packages/kbn-discover-contextual-components/index.ts rename to src/platform/packages/shared/kbn-discover-contextual-components/index.ts diff --git a/src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js b/src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js new file mode 100644 index 0000000000000..8c1468cdabd49 --- /dev/null +++ b/src/platform/packages/shared/kbn-discover-contextual-components/jest.config.js @@ -0,0 +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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +module.exports = { + preset: '@kbn/test', + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-discover-contextual-components'], +}; diff --git a/packages/kbn-discover-contextual-components/kibana.jsonc b/src/platform/packages/shared/kbn-discover-contextual-components/kibana.jsonc similarity index 100% rename from packages/kbn-discover-contextual-components/kibana.jsonc rename to src/platform/packages/shared/kbn-discover-contextual-components/kibana.jsonc diff --git a/packages/kbn-discover-contextual-components/package.json b/src/platform/packages/shared/kbn-discover-contextual-components/package.json similarity index 100% rename from packages/kbn-discover-contextual-components/package.json rename to src/platform/packages/shared/kbn-discover-contextual-components/package.json diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/cell_actions_popover.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/cell_actions_popover.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/cell_actions_popover.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/cell_actions_popover.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/index.ts b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/index.ts similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/index.ts rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/index.ts diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.test.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.test.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.test.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.test.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/index.ts b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/index.ts similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/index.ts rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/index.ts diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.test.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.test.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.test.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.test.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx diff --git a/packages/kbn-discover-contextual-components/src/data_types/logs/components/translations.tsx b/src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/translations.tsx similarity index 100% rename from packages/kbn-discover-contextual-components/src/data_types/logs/components/translations.tsx rename to src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/translations.tsx diff --git a/packages/kbn-discover-contextual-components/src/index.ts b/src/platform/packages/shared/kbn-discover-contextual-components/src/index.ts similarity index 100% rename from packages/kbn-discover-contextual-components/src/index.ts rename to src/platform/packages/shared/kbn-discover-contextual-components/src/index.ts diff --git a/packages/kbn-discover-contextual-components/tsconfig.json b/src/platform/packages/shared/kbn-discover-contextual-components/tsconfig.json similarity index 93% rename from packages/kbn-discover-contextual-components/tsconfig.json rename to src/platform/packages/shared/kbn-discover-contextual-components/tsconfig.json index 0dc07688b4cab..9d32dfb823e9b 100644 --- a/packages/kbn-discover-contextual-components/tsconfig.json +++ b/src/platform/packages/shared/kbn-discover-contextual-components/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-elastic-agent-utils/README.md b/src/platform/packages/shared/kbn-elastic-agent-utils/README.md similarity index 100% rename from packages/kbn-elastic-agent-utils/README.md rename to src/platform/packages/shared/kbn-elastic-agent-utils/README.md diff --git a/packages/kbn-elastic-agent-utils/index.ts b/src/platform/packages/shared/kbn-elastic-agent-utils/index.ts similarity index 100% rename from packages/kbn-elastic-agent-utils/index.ts rename to src/platform/packages/shared/kbn-elastic-agent-utils/index.ts diff --git a/src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js b/src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js new file mode 100644 index 0000000000000..5bdd872bf7f41 --- /dev/null +++ b/src/platform/packages/shared/kbn-elastic-agent-utils/jest.config.js @@ -0,0 +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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public + * License v3.0 only", or the "Server Side Public License, v 1". + */ + +module.exports = { + preset: '@kbn/test', + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-elastic-agent-utils'], +}; diff --git a/packages/kbn-elastic-agent-utils/kibana.jsonc b/src/platform/packages/shared/kbn-elastic-agent-utils/kibana.jsonc similarity index 100% rename from packages/kbn-elastic-agent-utils/kibana.jsonc rename to src/platform/packages/shared/kbn-elastic-agent-utils/kibana.jsonc diff --git a/packages/kbn-elastic-agent-utils/package.json b/src/platform/packages/shared/kbn-elastic-agent-utils/package.json similarity index 100% rename from packages/kbn-elastic-agent-utils/package.json rename to src/platform/packages/shared/kbn-elastic-agent-utils/package.json diff --git a/packages/kbn-elastic-agent-utils/src/agent_guards.test.ts b/src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.test.ts similarity index 100% rename from packages/kbn-elastic-agent-utils/src/agent_guards.test.ts rename to src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.test.ts diff --git a/packages/kbn-elastic-agent-utils/src/agent_guards.ts b/src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts similarity index 100% rename from packages/kbn-elastic-agent-utils/src/agent_guards.ts rename to src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts diff --git a/packages/kbn-elastic-agent-utils/src/agent_names.ts b/src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts similarity index 100% rename from packages/kbn-elastic-agent-utils/src/agent_names.ts rename to src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts diff --git a/packages/kbn-elastic-agent-utils/tsconfig.json b/src/platform/packages/shared/kbn-elastic-agent-utils/tsconfig.json similarity index 79% rename from packages/kbn-elastic-agent-utils/tsconfig.json rename to src/platform/packages/shared/kbn-elastic-agent-utils/tsconfig.json index 9754544771806..d369c6f66c790 100644 --- a/packages/kbn-elastic-agent-utils/tsconfig.json +++ b/src/platform/packages/shared/kbn-elastic-agent-utils/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-react-hooks/README.md b/src/platform/packages/shared/kbn-react-hooks/README.md similarity index 100% rename from packages/kbn-react-hooks/README.md rename to src/platform/packages/shared/kbn-react-hooks/README.md diff --git a/packages/kbn-react-hooks/index.ts b/src/platform/packages/shared/kbn-react-hooks/index.ts similarity index 100% rename from packages/kbn-react-hooks/index.ts rename to src/platform/packages/shared/kbn-react-hooks/index.ts diff --git a/packages/kbn-elastic-agent-utils/jest.config.js b/src/platform/packages/shared/kbn-react-hooks/jest.config.js similarity index 83% rename from packages/kbn-elastic-agent-utils/jest.config.js rename to src/platform/packages/shared/kbn-react-hooks/jest.config.js index f495ab73d4e62..50eb8023e9ce9 100644 --- a/packages/kbn-elastic-agent-utils/jest.config.js +++ b/src/platform/packages/shared/kbn-react-hooks/jest.config.js @@ -9,6 +9,6 @@ module.exports = { preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-elastic-agent-utils'], + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-react-hooks'], }; diff --git a/packages/kbn-react-hooks/kibana.jsonc b/src/platform/packages/shared/kbn-react-hooks/kibana.jsonc similarity index 100% rename from packages/kbn-react-hooks/kibana.jsonc rename to src/platform/packages/shared/kbn-react-hooks/kibana.jsonc diff --git a/packages/kbn-react-hooks/package.json b/src/platform/packages/shared/kbn-react-hooks/package.json similarity index 100% rename from packages/kbn-react-hooks/package.json rename to src/platform/packages/shared/kbn-react-hooks/package.json diff --git a/packages/kbn-react-hooks/src/use_boolean/index.ts b/src/platform/packages/shared/kbn-react-hooks/src/use_boolean/index.ts similarity index 100% rename from packages/kbn-react-hooks/src/use_boolean/index.ts rename to src/platform/packages/shared/kbn-react-hooks/src/use_boolean/index.ts diff --git a/packages/kbn-react-hooks/src/use_boolean/use_boolean.test.ts b/src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.test.ts similarity index 100% rename from packages/kbn-react-hooks/src/use_boolean/use_boolean.test.ts rename to src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.test.ts diff --git a/packages/kbn-react-hooks/src/use_boolean/use_boolean.ts b/src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts similarity index 100% rename from packages/kbn-react-hooks/src/use_boolean/use_boolean.ts rename to src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts diff --git a/packages/kbn-react-hooks/src/use_error_text_style/index.ts b/src/platform/packages/shared/kbn-react-hooks/src/use_error_text_style/index.ts similarity index 100% rename from packages/kbn-react-hooks/src/use_error_text_style/index.ts rename to src/platform/packages/shared/kbn-react-hooks/src/use_error_text_style/index.ts diff --git a/packages/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts b/src/platform/packages/shared/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts similarity index 100% rename from packages/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts rename to src/platform/packages/shared/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts diff --git a/packages/kbn-react-hooks/tsconfig.json b/src/platform/packages/shared/kbn-react-hooks/tsconfig.json similarity index 82% rename from packages/kbn-react-hooks/tsconfig.json rename to src/platform/packages/shared/kbn-react-hooks/tsconfig.json index 620e1832c66d6..4eca5cbff213f 100644 --- a/packages/kbn-react-hooks/tsconfig.json +++ b/src/platform/packages/shared/kbn-react-hooks/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-router-utils/README.md b/src/platform/packages/shared/kbn-router-utils/README.md similarity index 100% rename from packages/kbn-router-utils/README.md rename to src/platform/packages/shared/kbn-router-utils/README.md diff --git a/packages/kbn-router-utils/index.ts b/src/platform/packages/shared/kbn-router-utils/index.ts similarity index 100% rename from packages/kbn-router-utils/index.ts rename to src/platform/packages/shared/kbn-router-utils/index.ts diff --git a/packages/kbn-react-hooks/jest.config.js b/src/platform/packages/shared/kbn-router-utils/jest.config.js similarity index 83% rename from packages/kbn-react-hooks/jest.config.js rename to src/platform/packages/shared/kbn-router-utils/jest.config.js index 41f446862f962..28b713191aa6c 100644 --- a/packages/kbn-react-hooks/jest.config.js +++ b/src/platform/packages/shared/kbn-router-utils/jest.config.js @@ -9,6 +9,6 @@ module.exports = { preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-react-hooks'], + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-router-utils'], }; diff --git a/packages/kbn-router-utils/kibana.jsonc b/src/platform/packages/shared/kbn-router-utils/kibana.jsonc similarity index 100% rename from packages/kbn-router-utils/kibana.jsonc rename to src/platform/packages/shared/kbn-router-utils/kibana.jsonc diff --git a/packages/kbn-router-utils/package.json b/src/platform/packages/shared/kbn-router-utils/package.json similarity index 100% rename from packages/kbn-router-utils/package.json rename to src/platform/packages/shared/kbn-router-utils/package.json diff --git a/packages/kbn-router-utils/src/get_router_link_props/index.ts b/src/platform/packages/shared/kbn-router-utils/src/get_router_link_props/index.ts similarity index 100% rename from packages/kbn-router-utils/src/get_router_link_props/index.ts rename to src/platform/packages/shared/kbn-router-utils/src/get_router_link_props/index.ts diff --git a/packages/kbn-router-utils/tsconfig.json b/src/platform/packages/shared/kbn-router-utils/tsconfig.json similarity index 82% rename from packages/kbn-router-utils/tsconfig.json rename to src/platform/packages/shared/kbn-router-utils/tsconfig.json index 87f865132f4b4..447899d604592 100644 --- a/packages/kbn-router-utils/tsconfig.json +++ b/src/platform/packages/shared/kbn-router-utils/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-timerange/BUILD.bazel b/src/platform/packages/shared/kbn-timerange/BUILD.bazel similarity index 100% rename from packages/kbn-timerange/BUILD.bazel rename to src/platform/packages/shared/kbn-timerange/BUILD.bazel diff --git a/packages/kbn-timerange/README.md b/src/platform/packages/shared/kbn-timerange/README.md similarity index 100% rename from packages/kbn-timerange/README.md rename to src/platform/packages/shared/kbn-timerange/README.md diff --git a/packages/kbn-timerange/index.ts b/src/platform/packages/shared/kbn-timerange/index.ts similarity index 100% rename from packages/kbn-timerange/index.ts rename to src/platform/packages/shared/kbn-timerange/index.ts diff --git a/packages/kbn-custom-icons/jest.config.js b/src/platform/packages/shared/kbn-timerange/jest.config.js similarity index 84% rename from packages/kbn-custom-icons/jest.config.js rename to src/platform/packages/shared/kbn-timerange/jest.config.js index c671151a6831e..6b0af8f663e2b 100644 --- a/packages/kbn-custom-icons/jest.config.js +++ b/src/platform/packages/shared/kbn-timerange/jest.config.js @@ -9,6 +9,6 @@ module.exports = { preset: '@kbn/test', - rootDir: '../..', - roots: ['/packages/kbn-custom-icons'], + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-timerange'], }; diff --git a/packages/kbn-timerange/kibana.jsonc b/src/platform/packages/shared/kbn-timerange/kibana.jsonc similarity index 100% rename from packages/kbn-timerange/kibana.jsonc rename to src/platform/packages/shared/kbn-timerange/kibana.jsonc diff --git a/packages/kbn-timerange/package.json b/src/platform/packages/shared/kbn-timerange/package.json similarity index 100% rename from packages/kbn-timerange/package.json rename to src/platform/packages/shared/kbn-timerange/package.json diff --git a/packages/kbn-timerange/src/index.ts b/src/platform/packages/shared/kbn-timerange/src/index.ts similarity index 100% rename from packages/kbn-timerange/src/index.ts rename to src/platform/packages/shared/kbn-timerange/src/index.ts diff --git a/packages/kbn-timerange/tsconfig.json b/src/platform/packages/shared/kbn-timerange/tsconfig.json similarity index 83% rename from packages/kbn-timerange/tsconfig.json rename to src/platform/packages/shared/kbn-timerange/tsconfig.json index 9690a889a4891..5a28fbe5c65e6 100644 --- a/packages/kbn-timerange/tsconfig.json +++ b/src/platform/packages/shared/kbn-timerange/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/packages/kbn-xstate-utils/README.md b/src/platform/packages/shared/kbn-xstate-utils/README.md similarity index 100% rename from packages/kbn-xstate-utils/README.md rename to src/platform/packages/shared/kbn-xstate-utils/README.md diff --git a/packages/kbn-xstate-utils/index.ts b/src/platform/packages/shared/kbn-xstate-utils/index.ts similarity index 100% rename from packages/kbn-xstate-utils/index.ts rename to src/platform/packages/shared/kbn-xstate-utils/index.ts diff --git a/packages/kbn-xstate-utils/jest.config.js b/src/platform/packages/shared/kbn-xstate-utils/jest.config.js similarity index 84% rename from packages/kbn-xstate-utils/jest.config.js rename to src/platform/packages/shared/kbn-xstate-utils/jest.config.js index f976cffb2a6a5..50cbc56e51e2f 100644 --- a/packages/kbn-xstate-utils/jest.config.js +++ b/src/platform/packages/shared/kbn-xstate-utils/jest.config.js @@ -9,6 +9,6 @@ module.exports = { preset: '@kbn/test/jest_node', - rootDir: '../..', - roots: ['/packages/kbn-xstate-utils'], + rootDir: '../../../../..', + roots: ['/src/platform/packages/shared/kbn-xstate-utils'], }; diff --git a/packages/kbn-xstate-utils/kibana.jsonc b/src/platform/packages/shared/kbn-xstate-utils/kibana.jsonc similarity index 100% rename from packages/kbn-xstate-utils/kibana.jsonc rename to src/platform/packages/shared/kbn-xstate-utils/kibana.jsonc diff --git a/packages/kbn-xstate-utils/package.json b/src/platform/packages/shared/kbn-xstate-utils/package.json similarity index 100% rename from packages/kbn-xstate-utils/package.json rename to src/platform/packages/shared/kbn-xstate-utils/package.json diff --git a/packages/kbn-xstate-utils/src/actions.ts b/src/platform/packages/shared/kbn-xstate-utils/src/actions.ts similarity index 100% rename from packages/kbn-xstate-utils/src/actions.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/actions.ts diff --git a/packages/kbn-xstate-utils/src/console_inspector.ts b/src/platform/packages/shared/kbn-xstate-utils/src/console_inspector.ts similarity index 100% rename from packages/kbn-xstate-utils/src/console_inspector.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/console_inspector.ts diff --git a/packages/kbn-xstate-utils/src/dev_tools.ts b/src/platform/packages/shared/kbn-xstate-utils/src/dev_tools.ts similarity index 100% rename from packages/kbn-xstate-utils/src/dev_tools.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/dev_tools.ts diff --git a/packages/kbn-xstate-utils/src/index.ts b/src/platform/packages/shared/kbn-xstate-utils/src/index.ts similarity index 100% rename from packages/kbn-xstate-utils/src/index.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/index.ts diff --git a/packages/kbn-xstate-utils/src/notification_channel.ts b/src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts similarity index 100% rename from packages/kbn-xstate-utils/src/notification_channel.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts diff --git a/packages/kbn-xstate-utils/src/types.ts b/src/platform/packages/shared/kbn-xstate-utils/src/types.ts similarity index 100% rename from packages/kbn-xstate-utils/src/types.ts rename to src/platform/packages/shared/kbn-xstate-utils/src/types.ts diff --git a/packages/kbn-xstate-utils/tsconfig.json b/src/platform/packages/shared/kbn-xstate-utils/tsconfig.json similarity index 80% rename from packages/kbn-xstate-utils/tsconfig.json rename to src/platform/packages/shared/kbn-xstate-utils/tsconfig.json index 2f9ddddbeea23..7aba1b1a9378a 100644 --- a/packages/kbn-xstate-utils/tsconfig.json +++ b/src/platform/packages/shared/kbn-xstate-utils/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/src/plugins/discover_shared/README.md b/src/plugins/discover_shared/README.md index f8c50b081f22c..f1bcb5ab2e011 100755 --- a/src/plugins/discover_shared/README.md +++ b/src/plugins/discover_shared/README.md @@ -64,7 +64,7 @@ Having an interface for the feature and Discover consuming its definition, we ar For our example, we'll go to the logs app that owns the LogsAIAssistant codebase and register the feature: ```tsx -// x-pack/plugins/observability_solution/logs_shared/public/plugin.ts +// x-pack/platform/plugins/shared/logs_shared/public/plugin.ts export class LogsSharedPlugin implements LogsSharedClientPluginClass { // The rest of the plugin implementation is hidden for a cleaner example diff --git a/src/plugins/vis_types/timeseries/server/plugin.ts b/src/plugins/vis_types/timeseries/server/plugin.ts index 29b2f4adacadf..ff2e5ca1a7c69 100644 --- a/src/plugins/vis_types/timeseries/server/plugin.ts +++ b/src/plugins/vis_types/timeseries/server/plugin.ts @@ -63,7 +63,7 @@ export interface VisTypeTimeseriesSetup { getVisData: ( requestContext: VisTypeTimeseriesRequestHandlerContext, fakeRequest: KibanaRequest, - // ideally this should be VisPayload type, but currently has inconsistencies with x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts + // ideally this should be VisPayload type, but currently has inconsistencies with x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts options: any ) => Promise; } diff --git a/tsconfig.base.json b/tsconfig.base.json index 1d5ab8fa1a0f8..84c8cb68d811a 100644 --- a/tsconfig.base.json +++ b/tsconfig.base.json @@ -686,10 +686,10 @@ "@kbn/crypto-browser/*": ["packages/kbn-crypto-browser/*"], "@kbn/custom-branding-plugin": ["x-pack/plugins/custom_branding"], "@kbn/custom-branding-plugin/*": ["x-pack/plugins/custom_branding/*"], - "@kbn/custom-icons": ["packages/kbn-custom-icons"], - "@kbn/custom-icons/*": ["packages/kbn-custom-icons/*"], - "@kbn/custom-integrations": ["packages/kbn-custom-integrations"], - "@kbn/custom-integrations/*": ["packages/kbn-custom-integrations/*"], + "@kbn/custom-icons": ["src/platform/packages/shared/kbn-custom-icons"], + "@kbn/custom-icons/*": ["src/platform/packages/shared/kbn-custom-icons/*"], + "@kbn/custom-integrations": ["x-pack/solutions/observability/packages/kbn-custom-integrations"], + "@kbn/custom-integrations/*": ["x-pack/solutions/observability/packages/kbn-custom-integrations/*"], "@kbn/custom-integrations-plugin": ["src/plugins/custom_integrations"], "@kbn/custom-integrations-plugin/*": ["src/plugins/custom_integrations/*"], "@kbn/cypress-config": ["packages/kbn-cypress-config"], @@ -702,8 +702,8 @@ "@kbn/data-forge/*": ["x-pack/platform/packages/shared/kbn-data-forge/*"], "@kbn/data-plugin": ["src/plugins/data"], "@kbn/data-plugin/*": ["src/plugins/data/*"], - "@kbn/data-quality-plugin": ["x-pack/plugins/data_quality"], - "@kbn/data-quality-plugin/*": ["x-pack/plugins/data_quality/*"], + "@kbn/data-quality-plugin": ["x-pack/platform/plugins/shared/data_quality"], + "@kbn/data-quality-plugin/*": ["x-pack/platform/plugins/shared/data_quality/*"], "@kbn/data-search-plugin": ["test/plugin_functional/plugins/data_search"], "@kbn/data-search-plugin/*": ["test/plugin_functional/plugins/data_search/*"], "@kbn/data-service": ["packages/kbn-data-service"], @@ -726,8 +726,8 @@ "@kbn/data-views-plugin/*": ["src/plugins/data_views/*"], "@kbn/data-visualizer-plugin": ["x-pack/platform/plugins/private/data_visualizer"], "@kbn/data-visualizer-plugin/*": ["x-pack/platform/plugins/private/data_visualizer/*"], - "@kbn/dataset-quality-plugin": ["x-pack/plugins/observability_solution/dataset_quality"], - "@kbn/dataset-quality-plugin/*": ["x-pack/plugins/observability_solution/dataset_quality/*"], + "@kbn/dataset-quality-plugin": ["x-pack/platform/plugins/shared/dataset_quality"], + "@kbn/dataset-quality-plugin/*": ["x-pack/platform/plugins/shared/dataset_quality/*"], "@kbn/datemath": ["packages/kbn-datemath"], "@kbn/datemath/*": ["packages/kbn-datemath/*"], "@kbn/deeplinks-analytics": ["packages/deeplinks/analytics"], @@ -772,8 +772,8 @@ "@kbn/dev-utils/*": ["packages/kbn-dev-utils/*"], "@kbn/developer-examples-plugin": ["examples/developer_examples"], "@kbn/developer-examples-plugin/*": ["examples/developer_examples/*"], - "@kbn/discover-contextual-components": ["packages/kbn-discover-contextual-components"], - "@kbn/discover-contextual-components/*": ["packages/kbn-discover-contextual-components/*"], + "@kbn/discover-contextual-components": ["src/platform/packages/shared/kbn-discover-contextual-components"], + "@kbn/discover-contextual-components/*": ["src/platform/packages/shared/kbn-discover-contextual-components/*"], "@kbn/discover-customization-examples-plugin": ["examples/discover_customization_examples"], "@kbn/discover-customization-examples-plugin/*": ["examples/discover_customization_examples/*"], "@kbn/discover-enhanced-plugin": ["x-pack/plugins/discover_enhanced"], @@ -796,8 +796,8 @@ "@kbn/ecs-data-quality-dashboard/*": ["x-pack/solutions/security/packages/ecs_data_quality_dashboard/*"], "@kbn/ecs-data-quality-dashboard-plugin": ["x-pack/solutions/security/plugins/ecs_data_quality_dashboard"], "@kbn/ecs-data-quality-dashboard-plugin/*": ["x-pack/solutions/security/plugins/ecs_data_quality_dashboard/*"], - "@kbn/elastic-agent-utils": ["packages/kbn-elastic-agent-utils"], - "@kbn/elastic-agent-utils/*": ["packages/kbn-elastic-agent-utils/*"], + "@kbn/elastic-agent-utils": ["src/platform/packages/shared/kbn-elastic-agent-utils"], + "@kbn/elastic-agent-utils/*": ["src/platform/packages/shared/kbn-elastic-agent-utils/*"], "@kbn/elastic-assistant": ["x-pack/platform/packages/shared/kbn-elastic-assistant"], "@kbn/elastic-assistant/*": ["x-pack/platform/packages/shared/kbn-elastic-assistant/*"], "@kbn/elastic-assistant-common": ["x-pack/platform/packages/shared/kbn-elastic-assistant-common"], @@ -952,8 +952,8 @@ "@kbn/field-types/*": ["packages/kbn-field-types/*"], "@kbn/field-utils": ["packages/kbn-field-utils"], "@kbn/field-utils/*": ["packages/kbn-field-utils/*"], - "@kbn/fields-metadata-plugin": ["x-pack/plugins/fields_metadata"], - "@kbn/fields-metadata-plugin/*": ["x-pack/plugins/fields_metadata/*"], + "@kbn/fields-metadata-plugin": ["x-pack/platform/plugins/shared/fields_metadata"], + "@kbn/fields-metadata-plugin/*": ["x-pack/platform/plugins/shared/fields_metadata/*"], "@kbn/file-upload-plugin": ["x-pack/plugins/file_upload"], "@kbn/file-upload-plugin/*": ["x-pack/plugins/file_upload/*"], "@kbn/files-example-plugin": ["examples/files_example"], @@ -1068,8 +1068,8 @@ "@kbn/inference-plugin/*": ["x-pack/platform/plugins/shared/inference/*"], "@kbn/infra-forge": ["x-pack/platform/packages/private/kbn-infra-forge"], "@kbn/infra-forge/*": ["x-pack/platform/packages/private/kbn-infra-forge/*"], - "@kbn/infra-plugin": ["x-pack/plugins/observability_solution/infra"], - "@kbn/infra-plugin/*": ["x-pack/plugins/observability_solution/infra/*"], + "@kbn/infra-plugin": ["x-pack/solutions/observability/plugins/infra"], + "@kbn/infra-plugin/*": ["x-pack/solutions/observability/plugins/infra/*"], "@kbn/ingest-pipelines-plugin": ["x-pack/platform/plugins/shared/ingest_pipelines"], "@kbn/ingest-pipelines-plugin/*": ["x-pack/platform/plugins/shared/ingest_pipelines/*"], "@kbn/input-control-vis-plugin": ["src/plugins/input_control_vis"], @@ -1170,12 +1170,12 @@ "@kbn/logging/*": ["packages/kbn-logging/*"], "@kbn/logging-mocks": ["packages/kbn-logging-mocks"], "@kbn/logging-mocks/*": ["packages/kbn-logging-mocks/*"], - "@kbn/logs-data-access-plugin": ["x-pack/plugins/observability_solution/logs_data_access"], - "@kbn/logs-data-access-plugin/*": ["x-pack/plugins/observability_solution/logs_data_access/*"], - "@kbn/logs-explorer-plugin": ["x-pack/plugins/observability_solution/logs_explorer"], - "@kbn/logs-explorer-plugin/*": ["x-pack/plugins/observability_solution/logs_explorer/*"], - "@kbn/logs-shared-plugin": ["x-pack/plugins/observability_solution/logs_shared"], - "@kbn/logs-shared-plugin/*": ["x-pack/plugins/observability_solution/logs_shared/*"], + "@kbn/logs-data-access-plugin": ["x-pack/platform/plugins/shared/logs_data_access"], + "@kbn/logs-data-access-plugin/*": ["x-pack/platform/plugins/shared/logs_data_access/*"], + "@kbn/logs-explorer-plugin": ["x-pack/solutions/observability/plugins/logs_explorer"], + "@kbn/logs-explorer-plugin/*": ["x-pack/solutions/observability/plugins/logs_explorer/*"], + "@kbn/logs-shared-plugin": ["x-pack/platform/plugins/shared/logs_shared"], + "@kbn/logs-shared-plugin/*": ["x-pack/platform/plugins/shared/logs_shared/*"], "@kbn/logstash-plugin": ["x-pack/plugins/logstash"], "@kbn/logstash-plugin/*": ["x-pack/plugins/logstash/*"], "@kbn/managed-content-badge": ["packages/kbn-managed-content-badge"], @@ -1336,14 +1336,14 @@ "@kbn/observability-fixtures-plugin/*": ["x-pack/test/cases_api_integration/common/plugins/observability/*"], "@kbn/observability-get-padded-alert-time-range-util": ["x-pack/solutions/observability/packages/get_padded_alert_time_range_util"], "@kbn/observability-get-padded-alert-time-range-util/*": ["x-pack/solutions/observability/packages/get_padded_alert_time_range_util/*"], - "@kbn/observability-logs-explorer-plugin": ["x-pack/plugins/observability_solution/observability_logs_explorer"], - "@kbn/observability-logs-explorer-plugin/*": ["x-pack/plugins/observability_solution/observability_logs_explorer/*"], - "@kbn/observability-logs-overview": ["x-pack/packages/observability/logs_overview"], - "@kbn/observability-logs-overview/*": ["x-pack/packages/observability/logs_overview/*"], - "@kbn/observability-onboarding-e2e": ["x-pack/plugins/observability_solution/observability_onboarding/e2e"], - "@kbn/observability-onboarding-e2e/*": ["x-pack/plugins/observability_solution/observability_onboarding/e2e/*"], - "@kbn/observability-onboarding-plugin": ["x-pack/plugins/observability_solution/observability_onboarding"], - "@kbn/observability-onboarding-plugin/*": ["x-pack/plugins/observability_solution/observability_onboarding/*"], + "@kbn/observability-logs-explorer-plugin": ["x-pack/solutions/observability/plugins/observability_logs_explorer"], + "@kbn/observability-logs-explorer-plugin/*": ["x-pack/solutions/observability/plugins/observability_logs_explorer/*"], + "@kbn/observability-logs-overview": ["x-pack/platform/packages/shared/observability/logs_overview"], + "@kbn/observability-logs-overview/*": ["x-pack/platform/packages/shared/observability/logs_overview/*"], + "@kbn/observability-onboarding-e2e": ["x-pack/solutions/observability/plugins/observability_onboarding/e2e"], + "@kbn/observability-onboarding-e2e/*": ["x-pack/solutions/observability/plugins/observability_onboarding/e2e/*"], + "@kbn/observability-onboarding-plugin": ["x-pack/solutions/observability/plugins/observability_onboarding"], + "@kbn/observability-onboarding-plugin/*": ["x-pack/solutions/observability/plugins/observability_onboarding/*"], "@kbn/observability-plugin": ["x-pack/solutions/observability/plugins/observability"], "@kbn/observability-plugin/*": ["x-pack/solutions/observability/plugins/observability/*"], "@kbn/observability-shared-plugin": ["x-pack/plugins/observability_solution/observability_shared"], @@ -1424,8 +1424,8 @@ "@kbn/random-sampling/*": ["x-pack/packages/kbn-random-sampling/*"], "@kbn/react-field": ["packages/kbn-react-field"], "@kbn/react-field/*": ["packages/kbn-react-field/*"], - "@kbn/react-hooks": ["packages/kbn-react-hooks"], - "@kbn/react-hooks/*": ["packages/kbn-react-hooks/*"], + "@kbn/react-hooks": ["src/platform/packages/shared/kbn-react-hooks"], + "@kbn/react-hooks/*": ["src/platform/packages/shared/kbn-react-hooks/*"], "@kbn/react-kibana-context-common": ["packages/react/kibana_context/common"], "@kbn/react-kibana-context-common/*": ["packages/react/kibana_context/common/*"], "@kbn/react-kibana-context-render": ["packages/react/kibana_context/render"], @@ -1508,8 +1508,8 @@ "@kbn/rollup-plugin/*": ["x-pack/platform/plugins/private/rollup/*"], "@kbn/router-to-openapispec": ["packages/kbn-router-to-openapispec"], "@kbn/router-to-openapispec/*": ["packages/kbn-router-to-openapispec/*"], - "@kbn/router-utils": ["packages/kbn-router-utils"], - "@kbn/router-utils/*": ["packages/kbn-router-utils/*"], + "@kbn/router-utils": ["src/platform/packages/shared/kbn-router-utils"], + "@kbn/router-utils/*": ["src/platform/packages/shared/kbn-router-utils/*"], "@kbn/routing-example-plugin": ["examples/routing_example"], "@kbn/routing-example-plugin/*": ["examples/routing_example/*"], "@kbn/rrule": ["packages/kbn-rrule"], @@ -1932,8 +1932,8 @@ "@kbn/timelines-plugin/*": ["x-pack/solutions/security/plugins/timelines/*"], "@kbn/timelion-grammar": ["packages/kbn-timelion-grammar"], "@kbn/timelion-grammar/*": ["packages/kbn-timelion-grammar/*"], - "@kbn/timerange": ["packages/kbn-timerange"], - "@kbn/timerange/*": ["packages/kbn-timerange/*"], + "@kbn/timerange": ["src/platform/packages/shared/kbn-timerange"], + "@kbn/timerange/*": ["src/platform/packages/shared/kbn-timerange/*"], "@kbn/tinymath": ["packages/kbn-tinymath"], "@kbn/tinymath/*": ["packages/kbn-tinymath/*"], "@kbn/tooling-log": ["packages/kbn-tooling-log"], @@ -2068,8 +2068,8 @@ "@kbn/web-worker-stub/*": ["packages/kbn-web-worker-stub/*"], "@kbn/whereis-pkg-cli": ["packages/kbn-whereis-pkg-cli"], "@kbn/whereis-pkg-cli/*": ["packages/kbn-whereis-pkg-cli/*"], - "@kbn/xstate-utils": ["packages/kbn-xstate-utils"], - "@kbn/xstate-utils/*": ["packages/kbn-xstate-utils/*"], + "@kbn/xstate-utils": ["src/platform/packages/shared/kbn-xstate-utils"], + "@kbn/xstate-utils/*": ["src/platform/packages/shared/kbn-xstate-utils/*"], "@kbn/yarn-lock-validator": ["packages/kbn-yarn-lock-validator"], "@kbn/yarn-lock-validator/*": ["packages/kbn-yarn-lock-validator/*"], "@kbn/zod": ["packages/kbn-zod"], diff --git a/x-pack/.i18nrc.json b/x-pack/.i18nrc.json index c33dd8a1e5ca6..d16d9f150d662 100644 --- a/x-pack/.i18nrc.json +++ b/x-pack/.i18nrc.json @@ -30,8 +30,8 @@ ], "xpack.customBranding": "plugins/custom_branding", "xpack.dashboard": "plugins/dashboard_enhanced", - "xpack.dataQuality": "plugins/data_quality", - "xpack.datasetQuality": "plugins/observability_solution/dataset_quality", + "xpack.dataQuality": "platform/plugins/shared/data_quality", + "xpack.datasetQuality": "platform/plugins/shared/dataset_quality", "xpack.dataUsage": "platform/plugins/private/data_usage", "xpack.discover": "plugins/discover_enhanced", "xpack.crossClusterReplication": "platform/plugins/private/cross_cluster_replication", @@ -59,10 +59,10 @@ "xpack.idxMgmt": "platform/plugins/shared/index_management", "xpack.idxMgmtPackage": "packages/index-management", "xpack.indexLifecycleMgmt": "platform/plugins/private/index_lifecycle_management", - "xpack.infra": "plugins/observability_solution/infra", - "xpack.logsDataAccess": "plugins/observability_solution/logs_data_access", - "xpack.logsExplorer": "plugins/observability_solution/logs_explorer", - "xpack.logsShared": "plugins/observability_solution/logs_shared", + "xpack.infra": "solutions/observability/plugins/infra", + "xpack.logsDataAccess": "platform/plugins/shared/logs_data_access", + "xpack.logsExplorer": "solutions/observability/plugins/logs_explorer", + "xpack.logsShared": "platform/plugins/shared/logs_shared", "xpack.fleet": "plugins/fleet", "xpack.ingestPipelines": "platform/plugins/shared/ingest_pipelines", "xpack.integrationAssistant": "platform/plugins/shared/integration_assistant", @@ -106,11 +106,11 @@ "solutions/observability/plugins/observability_ai_assistant_app" ], "xpack.observabilityAiAssistantManagement": "solutions/observability/plugins/observability_ai_assistant_management", - "xpack.observabilityLogsExplorer": "plugins/observability_solution/observability_logs_explorer", - "xpack.observability_onboarding": "plugins/observability_solution/observability_onboarding", + "xpack.observabilityLogsExplorer": "solutions/observability/plugins/observability_logs_explorer", + "xpack.observability_onboarding": "solutions/observability/plugins/observability_onboarding", "xpack.observabilityShared": "plugins/observability_solution/observability_shared", "xpack.observabilityLogsOverview": [ - "packages/observability/logs_overview/src/components" + "platform/packages/shared/observability/logs_overview/src/components" ], "xpack.osquery": [ "platform/plugins/shared/osquery" diff --git a/x-pack/packages/observability/logs_overview/README.md b/x-pack/platform/packages/shared/observability/logs_overview/README.md similarity index 100% rename from x-pack/packages/observability/logs_overview/README.md rename to x-pack/platform/packages/shared/observability/logs_overview/README.md diff --git a/x-pack/packages/observability/logs_overview/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/index.ts diff --git a/x-pack/packages/observability/logs_overview/jest.config.js b/x-pack/platform/packages/shared/observability/logs_overview/jest.config.js similarity index 72% rename from x-pack/packages/observability/logs_overview/jest.config.js rename to x-pack/platform/packages/shared/observability/logs_overview/jest.config.js index 2ee88ee990253..024fb5ea0b253 100644 --- a/x-pack/packages/observability/logs_overview/jest.config.js +++ b/x-pack/platform/packages/shared/observability/logs_overview/jest.config.js @@ -7,6 +7,6 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/packages/observability/logs_overview'], + rootDir: '../../../../../..', + roots: ['/x-pack/platform/packages/shared/observability/logs_overview'], }; diff --git a/x-pack/packages/observability/logs_overview/kibana.jsonc b/x-pack/platform/packages/shared/observability/logs_overview/kibana.jsonc similarity index 100% rename from x-pack/packages/observability/logs_overview/kibana.jsonc rename to x-pack/platform/packages/shared/observability/logs_overview/kibana.jsonc diff --git a/x-pack/packages/observability/logs_overview/package.json b/x-pack/platform/packages/shared/observability/logs_overview/package.json similarity index 100% rename from x-pack/packages/observability/logs_overview/package.json rename to x-pack/platform/packages/shared/observability/logs_overview/package.json diff --git a/x-pack/packages/observability/logs_overview/src/components/discover_link/discover_link.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/discover_link/discover_link.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/discover_link/discover_link.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/discover_link/discover_link.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/discover_link/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/components/discover_link/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/discover_link/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/discover_link/index.ts diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/index.ts diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_control_bar.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_control_bar.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_control_bar.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_control_bar.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_error_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_error_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_error_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_error_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_change_time_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_change_time_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_change_time_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_change_time_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_change_type_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_change_type_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_change_type_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_change_type_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_control_columns.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_control_columns.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_control_columns.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_control_columns.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_count_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_count_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_count_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_count_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_expand_button.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_expand_button.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_expand_button.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_expand_button.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_histogram_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_histogram_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_histogram_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_histogram_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_pattern_cell.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_pattern_cell.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_grid_pattern_cell.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_grid_pattern_cell.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_loading_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_loading_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_loading_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_loading_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_result_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_result_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_categories/log_categories_result_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_categories/log_categories_result_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_error_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_error_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_error_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_error_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_flyout.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_flyout.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_flyout.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_flyout.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_loading_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_loading_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_details_loading_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_details_loading_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_document_examples_table.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_document_examples_table.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/log_category_details/log_category_document_examples_table.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/log_category_details/log_category_document_examples_table.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/logs_overview/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/logs_overview/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/index.ts diff --git a/x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx diff --git a/x-pack/packages/observability/logs_overview/src/components/shared/log_category_pattern.tsx b/x-pack/platform/packages/shared/observability/logs_overview/src/components/shared/log_category_pattern.tsx similarity index 100% rename from x-pack/packages/observability/logs_overview/src/components/shared/log_category_pattern.tsx rename to x-pack/platform/packages/shared/observability/logs_overview/src/components/shared/log_category_pattern.tsx diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/categorize_documents.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/categorize_documents.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/categorize_documents.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/categorize_documents.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/categorize_logs_service.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/categorize_logs_service.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/categorize_logs_service.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/categorize_logs_service.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/count_documents.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/count_documents.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/count_documents.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/count_documents.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/index.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/queries.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/queries.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/queries.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/queries.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/types.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/types.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/categorize_logs_service/types.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/categorize_logs_service/types.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/category_details_service/category_details_service.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/category_details_service.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/category_details_service/category_details_service.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/category_details_service.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/category_details_service/index.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/index.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/category_details_service/index.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/index.ts diff --git a/x-pack/packages/observability/logs_overview/src/services/category_details_service/types.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/types.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/services/category_details_service/types.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/services/category_details_service/types.ts diff --git a/x-pack/packages/observability/logs_overview/src/types.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/types.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/types.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/types.ts diff --git a/x-pack/packages/observability/logs_overview/src/utils/log_category.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/utils/log_category.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/utils/log_category.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/utils/log_category.ts diff --git a/x-pack/packages/observability/logs_overview/src/utils/logs_source.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/utils/logs_source.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts diff --git a/x-pack/packages/observability/logs_overview/src/utils/xstate5_utils.ts b/x-pack/platform/packages/shared/observability/logs_overview/src/utils/xstate5_utils.ts similarity index 100% rename from x-pack/packages/observability/logs_overview/src/utils/xstate5_utils.ts rename to x-pack/platform/packages/shared/observability/logs_overview/src/utils/xstate5_utils.ts diff --git a/x-pack/packages/observability/logs_overview/tsconfig.json b/x-pack/platform/packages/shared/observability/logs_overview/tsconfig.json similarity index 94% rename from x-pack/packages/observability/logs_overview/tsconfig.json rename to x-pack/platform/packages/shared/observability/logs_overview/tsconfig.json index 610ef8cc0126e..6e645a96df662 100644 --- a/x-pack/packages/observability/logs_overview/tsconfig.json +++ b/x-pack/platform/packages/shared/observability/logs_overview/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/x-pack/plugins/data_quality/README.md b/x-pack/platform/plugins/shared/data_quality/README.md similarity index 100% rename from x-pack/plugins/data_quality/README.md rename to x-pack/platform/plugins/shared/data_quality/README.md diff --git a/x-pack/plugins/data_quality/common/index.ts b/x-pack/platform/plugins/shared/data_quality/common/index.ts similarity index 100% rename from x-pack/plugins/data_quality/common/index.ts rename to x-pack/platform/plugins/shared/data_quality/common/index.ts diff --git a/x-pack/plugins/data_quality/common/locators/construct_dataset_quality_details_locator_path.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/construct_dataset_quality_details_locator_path.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/construct_dataset_quality_details_locator_path.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/construct_dataset_quality_details_locator_path.ts diff --git a/x-pack/plugins/data_quality/common/locators/construct_dataset_quality_locator_path.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/construct_dataset_quality_locator_path.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/construct_dataset_quality_locator_path.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/construct_dataset_quality_locator_path.ts diff --git a/x-pack/plugins/data_quality/common/locators/dataset_quality_details_locator.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/dataset_quality_details_locator.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/dataset_quality_details_locator.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/dataset_quality_details_locator.ts diff --git a/x-pack/plugins/data_quality/common/locators/dataset_quality_locator.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/dataset_quality_locator.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/dataset_quality_locator.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/dataset_quality_locator.ts diff --git a/x-pack/plugins/data_quality/common/locators/index.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/index.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/index.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/index.ts diff --git a/x-pack/plugins/data_quality/common/locators/locators.test.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/locators.test.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/locators.test.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/locators.test.ts diff --git a/x-pack/plugins/data_quality/common/locators/types.ts b/x-pack/platform/plugins/shared/data_quality/common/locators/types.ts similarity index 100% rename from x-pack/plugins/data_quality/common/locators/types.ts rename to x-pack/platform/plugins/shared/data_quality/common/locators/types.ts diff --git a/x-pack/plugins/data_quality/common/url_schema/common.ts b/x-pack/platform/plugins/shared/data_quality/common/url_schema/common.ts similarity index 100% rename from x-pack/plugins/data_quality/common/url_schema/common.ts rename to x-pack/platform/plugins/shared/data_quality/common/url_schema/common.ts diff --git a/x-pack/plugins/data_quality/common/url_schema/dataset_quality_details_url_schema_v1.ts b/x-pack/platform/plugins/shared/data_quality/common/url_schema/dataset_quality_details_url_schema_v1.ts similarity index 100% rename from x-pack/plugins/data_quality/common/url_schema/dataset_quality_details_url_schema_v1.ts rename to x-pack/platform/plugins/shared/data_quality/common/url_schema/dataset_quality_details_url_schema_v1.ts diff --git a/x-pack/plugins/data_quality/common/url_schema/dataset_quality_url_schema_v1.ts b/x-pack/platform/plugins/shared/data_quality/common/url_schema/dataset_quality_url_schema_v1.ts similarity index 100% rename from x-pack/plugins/data_quality/common/url_schema/dataset_quality_url_schema_v1.ts rename to x-pack/platform/plugins/shared/data_quality/common/url_schema/dataset_quality_url_schema_v1.ts diff --git a/x-pack/plugins/data_quality/common/url_schema/index.ts b/x-pack/platform/plugins/shared/data_quality/common/url_schema/index.ts similarity index 100% rename from x-pack/plugins/data_quality/common/url_schema/index.ts rename to x-pack/platform/plugins/shared/data_quality/common/url_schema/index.ts diff --git a/x-pack/plugins/data_quality/common/utils/deep_compact_object.ts b/x-pack/platform/plugins/shared/data_quality/common/utils/deep_compact_object.ts similarity index 100% rename from x-pack/plugins/data_quality/common/utils/deep_compact_object.ts rename to x-pack/platform/plugins/shared/data_quality/common/utils/deep_compact_object.ts diff --git a/x-pack/plugins/data_quality/jest.config.js b/x-pack/platform/plugins/shared/data_quality/jest.config.js similarity index 67% rename from x-pack/plugins/data_quality/jest.config.js rename to x-pack/platform/plugins/shared/data_quality/jest.config.js index 15d8fe2f33986..fecaf2727c255 100644 --- a/x-pack/plugins/data_quality/jest.config.js +++ b/x-pack/platform/plugins/shared/data_quality/jest.config.js @@ -7,9 +7,10 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../..', - roots: ['/x-pack/plugins/data_quality'], - coverageDirectory: '/target/kibana-coverage/jest/x-pack/plugins/data_quality', + rootDir: '../../../../..', + roots: ['/x-pack/platform/plugins/shared/data_quality'], + coverageDirectory: + '/target/kibana-coverage/jest/x-pack/platform/plugins/shared/data_quality', coverageReporters: ['text', 'html'], collectCoverageFrom: ['/x-pack/plugins/datas_quality/{common,public}/**/*.{ts,tsx}'], }; diff --git a/x-pack/plugins/data_quality/kibana.jsonc b/x-pack/platform/plugins/shared/data_quality/kibana.jsonc similarity index 100% rename from x-pack/plugins/data_quality/kibana.jsonc rename to x-pack/platform/plugins/shared/data_quality/kibana.jsonc diff --git a/x-pack/plugins/data_quality/public/application.tsx b/x-pack/platform/plugins/shared/data_quality/public/application.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/application.tsx rename to x-pack/platform/plugins/shared/data_quality/public/application.tsx diff --git a/x-pack/plugins/data_quality/public/index.ts b/x-pack/platform/plugins/shared/data_quality/public/index.ts similarity index 100% rename from x-pack/plugins/data_quality/public/index.ts rename to x-pack/platform/plugins/shared/data_quality/public/index.ts diff --git a/x-pack/plugins/data_quality/public/plugin.ts b/x-pack/platform/plugins/shared/data_quality/public/plugin.ts similarity index 100% rename from x-pack/plugins/data_quality/public/plugin.ts rename to x-pack/platform/plugins/shared/data_quality/public/plugin.ts diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality/context.tsx b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/context.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality/context.tsx rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/context.tsx diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality/index.tsx b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/index.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality/index.tsx rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/index.tsx diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality/url_schema_v1.ts b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/url_schema_v1.ts similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality/url_schema_v1.ts rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/url_schema_v1.ts diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality/url_state_storage_service.ts b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality/url_state_storage_service.ts rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality/url_state_storage_service.ts diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality_details/context.tsx b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/context.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality_details/context.tsx rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/context.tsx diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality_details/index.tsx b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/index.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality_details/index.tsx rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/index.tsx diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality_details/url_schema_v1.ts b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/url_schema_v1.ts similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality_details/url_schema_v1.ts rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/url_schema_v1.ts diff --git a/x-pack/plugins/data_quality/public/routes/dataset_quality_details/url_state_storage_service.ts b/x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/data_quality/public/routes/dataset_quality_details/url_state_storage_service.ts rename to x-pack/platform/plugins/shared/data_quality/public/routes/dataset_quality_details/url_state_storage_service.ts diff --git a/x-pack/plugins/data_quality/public/routes/index.tsx b/x-pack/platform/plugins/shared/data_quality/public/routes/index.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/routes/index.tsx rename to x-pack/platform/plugins/shared/data_quality/public/routes/index.tsx diff --git a/x-pack/plugins/data_quality/public/types.ts b/x-pack/platform/plugins/shared/data_quality/public/types.ts similarity index 100% rename from x-pack/plugins/data_quality/public/types.ts rename to x-pack/platform/plugins/shared/data_quality/public/types.ts diff --git a/x-pack/plugins/data_quality/public/utils/kbn_url_state_context.ts b/x-pack/platform/plugins/shared/data_quality/public/utils/kbn_url_state_context.ts similarity index 100% rename from x-pack/plugins/data_quality/public/utils/kbn_url_state_context.ts rename to x-pack/platform/plugins/shared/data_quality/public/utils/kbn_url_state_context.ts diff --git a/x-pack/plugins/data_quality/public/utils/use_breadcrumbs.tsx b/x-pack/platform/plugins/shared/data_quality/public/utils/use_breadcrumbs.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/utils/use_breadcrumbs.tsx rename to x-pack/platform/plugins/shared/data_quality/public/utils/use_breadcrumbs.tsx diff --git a/x-pack/plugins/data_quality/public/utils/use_kibana.tsx b/x-pack/platform/plugins/shared/data_quality/public/utils/use_kibana.tsx similarity index 100% rename from x-pack/plugins/data_quality/public/utils/use_kibana.tsx rename to x-pack/platform/plugins/shared/data_quality/public/utils/use_kibana.tsx diff --git a/x-pack/plugins/data_quality/server/features.ts b/x-pack/platform/plugins/shared/data_quality/server/features.ts similarity index 100% rename from x-pack/plugins/data_quality/server/features.ts rename to x-pack/platform/plugins/shared/data_quality/server/features.ts diff --git a/x-pack/plugins/data_quality/server/index.ts b/x-pack/platform/plugins/shared/data_quality/server/index.ts similarity index 100% rename from x-pack/plugins/data_quality/server/index.ts rename to x-pack/platform/plugins/shared/data_quality/server/index.ts diff --git a/x-pack/plugins/data_quality/server/plugin.ts b/x-pack/platform/plugins/shared/data_quality/server/plugin.ts similarity index 100% rename from x-pack/plugins/data_quality/server/plugin.ts rename to x-pack/platform/plugins/shared/data_quality/server/plugin.ts diff --git a/x-pack/plugins/data_quality/server/types.ts b/x-pack/platform/plugins/shared/data_quality/server/types.ts similarity index 100% rename from x-pack/plugins/data_quality/server/types.ts rename to x-pack/platform/plugins/shared/data_quality/server/types.ts diff --git a/x-pack/plugins/data_quality/tsconfig.json b/x-pack/platform/plugins/shared/data_quality/tsconfig.json similarity index 89% rename from x-pack/plugins/data_quality/tsconfig.json rename to x-pack/platform/plugins/shared/data_quality/tsconfig.json index a3f04f88ec7ff..e32e6e50f59da 100644 --- a/x-pack/plugins/data_quality/tsconfig.json +++ b/x-pack/platform/plugins/shared/data_quality/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, @@ -8,7 +8,7 @@ "common/**/*", "public/**/*", "server/**/*", - "../../../typings/**/*" + "../../../../../typings/**/*" ], "kbn_references": [ "@kbn/core", diff --git a/x-pack/plugins/observability_solution/dataset_quality/README.md b/x-pack/platform/plugins/shared/dataset_quality/README.md similarity index 88% rename from x-pack/plugins/observability_solution/dataset_quality/README.md rename to x-pack/platform/plugins/shared/dataset_quality/README.md index 45883f6964cc8..59664f480a714 100755 --- a/x-pack/plugins/observability_solution/dataset_quality/README.md +++ b/x-pack/platform/plugins/shared/dataset_quality/README.md @@ -9,13 +9,13 @@ In order to make ongoing maintenance of log collection easy we want to introduce Kibana primarily uses Jest for unit testing. Each plugin or package defines a `jest.config.js` that extends a preset provided by the `@kbn/test` package. The following command runs all Data Set Quality unit tests: ``` -yarn jest --config x-pack/plugins/observability_solution/dataset_quality/jest.config.js +yarn jest --config x-pack/platform/plugins/shared/dataset_quality/jest.config.js ``` You can also run a specific test by passing the filepath as an argument, e.g.: ``` -yarn jest --config x-pack/plugins/observability_solution/dataset_quality/jest.config.js x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts +yarn jest --config x-pack/platform/plugins/shared/dataset_quality/jest.config.js x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts ``` ### Deployment-agnostic API tests @@ -58,7 +58,7 @@ The API tests are located in [`x-pack/test/dataset_quality_api_integration/`](/x #### Start server and run test (single process) ``` -node x-pack/plugins/observability_solution/dataset_quality/scripts/api [--help] +node x-pack/platform/plugins/shared/dataset_quality/scripts/api [--help] ``` The above command will start an ES instance on http://localhost:9220, a Kibana instance on http://localhost:5620 and run the api tests. @@ -68,10 +68,10 @@ Once the tests finish, the instances will be terminated. ```sh # start server -node x-pack/plugins/observability_solution/dataset_quality/scripts/api --server +node x-pack/platform/plugins/shared/dataset_quality/scripts/api --server # run tests -node x-pack/plugins/observability_solution/dataset_quality/scripts/api --runner --grep-files=data_stream_settings.spec.ts +node x-pack/platform/plugins/shared/dataset_quality/scripts/api --runner --grep-files=data_stream_settings.spec.ts ``` ### Using dockerized package registry diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/api_types.ts b/x-pack/platform/plugins/shared/dataset_quality/common/api_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/api_types.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/api_types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/constants.ts b/x-pack/platform/plugins/shared/dataset_quality/common/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/constants.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/constants.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_stream_details/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_stream_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_stream_details/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_stream_details/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_stream_details/types.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_stream_details/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_stream_details/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_stream_details/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/data_stream_stat.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/data_stream_stat.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/data_stream_stat.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/data_stream_stat.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/integration.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/integration.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/integration.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/integration.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/types.ts b/x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/data_streams_stats/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/data_streams_stats/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/errors.ts b/x-pack/platform/plugins/shared/dataset_quality/common/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/errors.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/errors.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/es_fields/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/es_fields/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/es_fields/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/es_fields/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/fetch_options.ts b/x-pack/platform/plugins/shared/dataset_quality/common/fetch_options.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/fetch_options.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/fetch_options.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/plugin_config.ts b/x-pack/platform/plugins/shared/dataset_quality/common/plugin_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/plugin_config.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/plugin_config.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/rest/call_api.ts b/x-pack/platform/plugins/shared/dataset_quality/common/rest/call_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/rest/call_api.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/rest/call_api.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/rest/create_call_dataset_quality_api.ts b/x-pack/platform/plugins/shared/dataset_quality/common/rest/create_call_dataset_quality_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/rest/create_call_dataset_quality_api.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/rest/create_call_dataset_quality_api.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/rest/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/rest/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/rest/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/rest/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/translations.ts b/x-pack/platform/plugins/shared/dataset_quality/common/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/translations.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/translations.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/types/common.ts b/x-pack/platform/plugins/shared/dataset_quality/common/types/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/types/common.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/types/common.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/types/dataset_types.ts b/x-pack/platform/plugins/shared/dataset_quality/common/types/dataset_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/types/dataset_types.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/types/dataset_types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/types/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/types/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/types/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/types/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/types/quality_types.ts b/x-pack/platform/plugins/shared/dataset_quality/common/types/quality_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/types/quality_types.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/types/quality_types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/utils/component_template_name.ts b/x-pack/platform/plugins/shared/dataset_quality/common/utils/component_template_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/utils/component_template_name.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/utils/component_template_name.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.test.ts b/x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.ts b/x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/utils/index.ts b/x-pack/platform/plugins/shared/dataset_quality/common/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/utils/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/utils/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/common/utils/quality_helpers.ts b/x-pack/platform/plugins/shared/dataset_quality/common/utils/quality_helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/common/utils/quality_helpers.ts rename to x-pack/platform/plugins/shared/dataset_quality/common/utils/quality_helpers.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/jest.config.js b/x-pack/platform/plugins/shared/dataset_quality/jest.config.js similarity index 56% rename from x-pack/plugins/observability_solution/logs_explorer/jest.config.js rename to x-pack/platform/plugins/shared/dataset_quality/jest.config.js index 474325ddb00f4..5776eef45a9aa 100644 --- a/x-pack/plugins/observability_solution/logs_explorer/jest.config.js +++ b/x-pack/platform/plugins/shared/dataset_quality/jest.config.js @@ -7,12 +7,12 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/plugins/observability_solution/logs_explorer'], + rootDir: '../../../../..', + roots: ['/x-pack/platform/plugins/shared/dataset_quality'], coverageDirectory: - '/target/kibana-coverage/jest/x-pack/plugins/observability_solution/logs_explorer', + '/target/kibana-coverage/jest/x-pack/platform/plugins/shared/dataset_quality', coverageReporters: ['text', 'html'], collectCoverageFrom: [ - '/x-pack/plugins/observability_solution/logs_explorer/{common,public}/**/*.{ts,tsx}', + '/x-pack/platform/plugins/shared/dataset_quality/{common,public}/**/*.{ts,tsx}', ], }; diff --git a/x-pack/plugins/observability_solution/dataset_quality/kibana.jsonc b/x-pack/platform/plugins/shared/dataset_quality/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/kibana.jsonc rename to x-pack/platform/plugins/shared/dataset_quality/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/descriptive_switch.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/descriptive_switch.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/descriptive_switch.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/descriptive_switch.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/insufficient_privileges.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/insufficient_privileges.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/insufficient_privileges.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/insufficient_privileges.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/integration_icon.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/integration_icon.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/integration_icon.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/integration_icon.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/spark_plot.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/spark_plot.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/spark_plot.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/spark_plot.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/common/vertical_rule.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/common/vertical_rule.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/common/vertical_rule.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/common/vertical_rule.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/context.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/context.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/context.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/context.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/dataset_quality.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/dataset_quality.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/dataset_quality.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/dataset_quality.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/empty_state/empty_state.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/empty_state/empty_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/empty_state/empty_state.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/empty_state/empty_state.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/filter_bar.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/filter_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/filter_bar.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/filter_bar.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/filters.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/filters.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/filters.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/filters.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/integrations_selector.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/integrations_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/integrations_selector.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/integrations_selector.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/namespaces_selector.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/namespaces_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/namespaces_selector.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/namespaces_selector.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/qualities_selector.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/qualities_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/qualities_selector.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/qualities_selector.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/selector.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/filters/selector.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/filters/selector.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/header.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/header.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/header.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/data_placeholder.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/data_placeholder.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/data_placeholder.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/data_placeholder.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/datasets_activity.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/datasets_activity.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/datasets_activity.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/datasets_activity.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/datasets_quality_indicators.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/datasets_quality_indicators.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/datasets_quality_indicators.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/datasets_quality_indicators.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/estimated_data.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/estimated_data.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/estimated_data.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/estimated_data.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/summary_panel.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/summary_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/summary_panel/summary_panel.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/summary_panel/summary_panel.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/columns.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/columns.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/columns.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/columns.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.test.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.test.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.test.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/dataset_quality_details_link.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/degraded_docs_percentage_link.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/degraded_docs_percentage_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/degraded_docs_percentage_link.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/degraded_docs_percentage_link.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/table.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/table/table.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/table/table.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/warnings/warnings.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/warnings/warnings.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality/warnings/warnings.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality/warnings/warnings.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/context.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/context.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/context.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/context.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/dataset_quality_details.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/dataset_quality_details.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/dataset_quality_details.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/dataset_quality_details.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/field_info.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/field_info.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/field_info.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/field_info.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_limit_documentation_link.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_limit_documentation_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_limit_documentation_link.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_limit_documentation_link.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_mapping_limit.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_mapping_limit.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_mapping_limit.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/field_mapping_limit.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/increase_field_mapping_limit.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/increase_field_mapping_limit.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/increase_field_mapping_limit.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/increase_field_mapping_limit.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/message_callout.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/message_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/message_callout.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/field_limit/message_callout.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/component_template_link.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/component_template_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/component_template_link.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/component_template_link.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/pipeline_link.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/pipeline_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/pipeline_link.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/manual/pipeline_link.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/title.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/title.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/degraded_field_flyout/possible_mitigations/title.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/dataset_summary.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/dataset_summary.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/dataset_summary.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/dataset_summary.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/fields_list.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/fields_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/fields_list.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/fields_list.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/header.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/header.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/header.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/integration_actions_menu.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/integration_actions_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/details/integration_actions_menu.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/details/integration_actions_menu.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/header.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/header.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/header.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/index_not_found_prompt.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/index_not_found_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/index_not_found_prompt.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/index_not_found_prompt.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/aggregation_not_supported.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/aggregation_not_supported.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/aggregation_not_supported.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/aggregation_not_supported.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/columns.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/columns.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/columns.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/columns.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/degraded_fields.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/degraded_fields.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/degraded_fields.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/degraded_fields.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/table.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/table.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/degraded_fields/table.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/degraded_docs_chart.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/degraded_docs_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/degraded_docs_chart.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/degraded_docs_chart.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/lens_attributes.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/lens_attributes.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/lens_attributes.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/document_trends/degraded_docs/lens_attributes.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/header.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/header.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/header.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/summary/index.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/summary/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/summary/index.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/summary/index.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/summary/panel.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/summary/panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/dataset_quality_details/overview/summary/panel.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/dataset_quality_details/overview/summary/panel.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/dataset_quality_indicator.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/dataset_quality_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/dataset_quality_indicator.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/dataset_quality_indicator.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/helpers.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/helpers.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/helpers.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/indicator.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/indicator.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/indicator.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/percentage_indicator.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/percentage_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/components/quality_indicator/percentage_indicator.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/components/quality_indicator/percentage_indicator.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/create_controller.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/create_controller.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/create_controller.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/lazy_create_controller.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/lazy_create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/lazy_create_controller.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/lazy_create_controller.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/public_state.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/public_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/public_state.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/public_state.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/create_controller.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/create_controller.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/create_controller.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/lazy_create_controller.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/lazy_create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/lazy_create_controller.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/lazy_create_controller.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/public_state.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/public_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/public_state.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/public_state.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_create_dataview.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_create_dataview.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_create_dataview.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_create_dataview.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_details_telemetry.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_details_telemetry.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_details_telemetry.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_details_telemetry.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_details_state.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_details_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_details_state.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_details_state.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_filters.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_filters.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_filters.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_filters.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_table.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_table.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_table.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_warnings.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_warnings.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_quality_warnings.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_quality_warnings.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_telemetry.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_telemetry.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_dataset_telemetry.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_dataset_telemetry.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_degraded_docs_chart.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_degraded_docs_chart.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_degraded_docs_chart.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_degraded_docs_chart.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_degraded_fields.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_degraded_fields.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_degraded_fields.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_degraded_fields.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_empty_state.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_empty_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_empty_state.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_empty_state.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_integration_actions.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_integration_actions.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_integration_actions.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_integration_actions.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_overview_summary_panel.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_overview_summary_panel.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_overview_summary_panel.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_overview_summary_panel.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_redirect_link.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_redirect_link.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_redirect_link.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_redirect_link.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_redirect_link_telemetry.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_redirect_link_telemetry.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_redirect_link_telemetry.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_redirect_link_telemetry.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_summary_panel.ts b/x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_summary_panel.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/hooks/use_summary_panel.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/hooks/use_summary_panel.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/icons/logging.svg b/x-pack/platform/plugins/shared/dataset_quality/public/icons/logging.svg similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/icons/logging.svg rename to x-pack/platform/plugins/shared/dataset_quality/public/icons/logging.svg diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/plugin.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/plugin.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/plugin.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/plugin.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/data_stream_details_client.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/data_stream_details_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/data_stream_details_client.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/data_stream_details_client.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/data_stream_details_service.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/data_stream_details_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/data_stream_details_service.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/data_stream_details_service.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_stream_details/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_stream_details/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/data_streams_stats_client.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/data_streams_stats_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/data_streams_stats_client.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/data_streams_stats_client.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/data_streams_stats_service.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/data_streams_stats_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/data_streams_stats_service.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/data_streams_stats_service.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/data_streams_stats/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/data_streams_stats/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_events.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_events.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_events.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/common/notifications.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/common/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/common/notifications.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/common/notifications.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/defaults.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/defaults.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/notifications.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/notifications.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/notifications.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/state_machine.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/state_machine.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_controller/src/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_controller/src/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/defaults.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/defaults.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/defaults.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/notifications.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/notifications.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/notifications.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/state_machine.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/state_machine.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/state_machine.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/state_machines/dataset_quality_details_controller/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/state_machines/dataset_quality_details_controller/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/types.ts b/x-pack/platform/plugins/shared/dataset_quality/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/filter_inactive_datasets.ts b/x-pack/platform/plugins/shared/dataset_quality/public/utils/filter_inactive_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/filter_inactive_datasets.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/filter_inactive_datasets.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/flatten_stats.ts b/x-pack/platform/plugins/shared/dataset_quality/public/utils/flatten_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/flatten_stats.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/flatten_stats.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/generate_datasets.test.ts b/x-pack/platform/plugins/shared/dataset_quality/public/utils/generate_datasets.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/generate_datasets.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/generate_datasets.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/generate_datasets.ts b/x-pack/platform/plugins/shared/dataset_quality/public/utils/generate_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/generate_datasets.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/generate_datasets.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/index.ts b/x-pack/platform/plugins/shared/dataset_quality/public/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/use_kibana.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/utils/use_kibana.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/use_kibana.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/use_kibana.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/public/utils/use_quick_time_ranges.tsx b/x-pack/platform/plugins/shared/dataset_quality/public/utils/use_quick_time_ranges.tsx similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/public/utils/use_quick_time_ranges.tsx rename to x-pack/platform/plugins/shared/dataset_quality/public/utils/use_quick_time_ranges.tsx diff --git a/x-pack/plugins/observability_solution/dataset_quality/scripts/api.js b/x-pack/platform/plugins/shared/dataset_quality/scripts/api.js similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/scripts/api.js rename to x-pack/platform/plugins/shared/dataset_quality/scripts/api.js diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/plugin.ts b/x-pack/platform/plugins/shared/dataset_quality/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/plugin.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/create_datasets_quality_server_route.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/create_datasets_quality_server_route.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/create_datasets_quality_server_route.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/create_datasets_quality_server_route.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/check_and_load_integration/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/check_and_load_integration/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/check_and_load_integration/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/check_and_load_integration/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/check_and_load_integration/validate_custom_component_template.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/check_and_load_integration/validate_custom_component_template.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/check_and_load_integration/validate_custom_component_template.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/check_and_load_integration/validate_custom_component_template.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_stream_details/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_stream_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_stream_details/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_stream_details/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams/get_data_streams.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams_metering_stats/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams_metering_stats/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams_metering_stats/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams_metering_stats/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams_stats/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams_stats/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_data_streams_stats/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_data_streams_stats/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_dataset_aggregated_paginated_results.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_dataset_aggregated_paginated_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_dataset_aggregated_paginated_results.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_dataset_aggregated_paginated_results.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_datastream_settings/get_datastream_created_on.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_datastream_settings/get_datastream_created_on.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_datastream_settings/get_datastream_created_on.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_datastream_settings/get_datastream_created_on.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_datastream_settings/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_datastream_settings/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_datastream_settings/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_datastream_settings/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_docs.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_docs.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_docs.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_docs.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_mappings.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_mappings.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_mappings.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_mappings.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_settings.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_settings.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_settings.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/get_datastream_settings.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_analysis/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_values/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_values/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_field_values/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_field_values/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_fields/get_interval.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_fields/get_interval.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_fields/get_interval.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_fields/get_interval.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_fields/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_fields/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_degraded_fields/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_degraded_fields/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_non_aggregatable_data_streams.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_non_aggregatable_data_streams.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/get_non_aggregatable_data_streams.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/get_non_aggregatable_data_streams.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/routes.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/routes.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/routes.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/routes.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/update_component_template.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/update_component_template.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/update_component_template.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/update_component_template.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/update_settings_last_backing_index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/update_settings_last_backing_index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/data_streams/update_field_limit/update_settings_last_backing_index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/data_streams/update_field_limit/update_settings_last_backing_index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/get_integration_dashboards.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/get_integration_dashboards.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/get_integration_dashboards.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/get_integration_dashboards.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/get_integrations.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/get_integrations.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/get_integrations.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/get_integrations.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/routes.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/routes.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/integrations/routes.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/integrations/routes.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/register_routes.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/register_routes.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/register_routes.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/register_routes.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/routes/types.ts b/x-pack/platform/plugins/shared/dataset_quality/server/routes/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/routes/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/routes/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_stream.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_stream.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_stream.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_stream.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/constants.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/constants.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/constants.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/data_telemetry_service.test.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/data_telemetry_service.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/data_telemetry_service.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/data_telemetry_service.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/helpers.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/helpers.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/helpers.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/register_collector.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/register_collector.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/register_collector.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/register_collector.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/types.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/index_stats.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/index_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/index_stats.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/index_stats.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/services/privileges.ts b/x-pack/platform/plugins/shared/dataset_quality/server/services/privileges.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/services/privileges.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/services/privileges.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/authentication.ts b/x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/authentication.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/authentication.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/authentication.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/call_kibana.ts b/x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/call_kibana.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/call_kibana.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/call_kibana.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_custom_role.ts b/x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_custom_role.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_custom_role.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_custom_role.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_or_update_user.ts b/x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_or_update_user.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_or_update_user.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/helpers/create_or_update_user.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/test_helpers/create_dataset_quality_users/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/test_helpers/create_dataset_quality_users/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/types.ts b/x-pack/platform/plugins/shared/dataset_quality/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/types.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/types/default_api_types.ts b/x-pack/platform/plugins/shared/dataset_quality/server/types/default_api_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/types/default_api_types.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/types/default_api_types.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/create_dataset_quality_es_client.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/create_dataset_quality_es_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/create_dataset_quality_es_client.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/create_dataset_quality_es_client.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/index.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/index.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/index.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/queries.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/queries.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/queries.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/queries.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/reduce_async_chunks.test.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/reduce_async_chunks.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/reduce_async_chunks.test.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/reduce_async_chunks.test.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/reduce_async_chunks.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/reduce_async_chunks.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/reduce_async_chunks.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/reduce_async_chunks.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/server/utils/to_boolean.ts b/x-pack/platform/plugins/shared/dataset_quality/server/utils/to_boolean.ts similarity index 100% rename from x-pack/plugins/observability_solution/dataset_quality/server/utils/to_boolean.ts rename to x-pack/platform/plugins/shared/dataset_quality/server/utils/to_boolean.ts diff --git a/x-pack/plugins/observability_solution/dataset_quality/tsconfig.json b/x-pack/platform/plugins/shared/dataset_quality/tsconfig.json similarity index 95% rename from x-pack/plugins/observability_solution/dataset_quality/tsconfig.json rename to x-pack/platform/plugins/shared/dataset_quality/tsconfig.json index b50a65aa83c4b..1db6f18d1a9c9 100644 --- a/x-pack/plugins/observability_solution/dataset_quality/tsconfig.json +++ b/x-pack/platform/plugins/shared/dataset_quality/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, @@ -7,7 +7,7 @@ "common/**/*", "public/**/*", "server/**/*", - "../../../../typings/**/*" + "../../../../../typings/**/*" ], "kbn_references": [ "@kbn/core", diff --git a/x-pack/plugins/fields_metadata/README.md b/x-pack/platform/plugins/shared/fields_metadata/README.md similarity index 100% rename from x-pack/plugins/fields_metadata/README.md rename to x-pack/platform/plugins/shared/fields_metadata/README.md diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/common.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/common.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/common.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/common.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/errors.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/errors.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/errors.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/errors.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/index.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/index.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/types.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/v1/find_fields_metadata.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/v1/find_fields_metadata.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/v1/find_fields_metadata.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/v1/find_fields_metadata.ts diff --git a/x-pack/plugins/fields_metadata/common/fields_metadata/v1/index.ts b/x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/v1/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/fields_metadata/v1/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/v1/index.ts diff --git a/x-pack/plugins/fields_metadata/common/hashed_cache.ts b/x-pack/platform/plugins/shared/fields_metadata/common/hashed_cache.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/hashed_cache.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/hashed_cache.ts diff --git a/x-pack/plugins/fields_metadata/common/index.ts b/x-pack/platform/plugins/shared/fields_metadata/common/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/index.ts diff --git a/x-pack/plugins/fields_metadata/common/latest.ts b/x-pack/platform/plugins/shared/fields_metadata/common/latest.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/latest.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/latest.ts diff --git a/x-pack/plugins/fields_metadata/common/metadata_fields.ts b/x-pack/platform/plugins/shared/fields_metadata/common/metadata_fields.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/metadata_fields.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/metadata_fields.ts diff --git a/x-pack/plugins/fields_metadata/common/runtime_types.ts b/x-pack/platform/plugins/shared/fields_metadata/common/runtime_types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/common/runtime_types.ts rename to x-pack/platform/plugins/shared/fields_metadata/common/runtime_types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/jest.config.js b/x-pack/platform/plugins/shared/fields_metadata/jest.config.js similarity index 56% rename from x-pack/plugins/observability_solution/logs_shared/jest.config.js rename to x-pack/platform/plugins/shared/fields_metadata/jest.config.js index 2e3869ccf0573..aec85a0338bb6 100644 --- a/x-pack/plugins/observability_solution/logs_shared/jest.config.js +++ b/x-pack/platform/plugins/shared/fields_metadata/jest.config.js @@ -7,12 +7,12 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/plugins/observability_solution/logs_shared'], + rootDir: '../../../../..', + roots: ['/x-pack/platform/plugins/shared/fields_metadata'], coverageDirectory: - '/target/kibana-coverage/jest/x-pack/plugins/observability_solution/logs_shared', + '/target/kibana-coverage/jest/x-pack/platform/plugins/shared/fields_metadata', coverageReporters: ['text', 'html'], collectCoverageFrom: [ - '/x-pack/plugins/observability_solution/logs_shared/{common,public,server}/**/*.{ts,tsx}', + '/x-pack/platform/plugins/shared/fields_metadata/{common,public,server}/**/*.{ts,tsx}', ], }; diff --git a/x-pack/plugins/fields_metadata/kibana.jsonc b/x-pack/platform/plugins/shared/fields_metadata/kibana.jsonc similarity index 100% rename from x-pack/plugins/fields_metadata/kibana.jsonc rename to x-pack/platform/plugins/shared/fields_metadata/kibana.jsonc diff --git a/x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/index.ts b/x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/index.ts diff --git a/x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.mock.ts b/x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.mock.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.mock.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.mock.ts diff --git a/x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.test.ts b/x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.test.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.test.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.test.ts diff --git a/x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts b/x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts diff --git a/x-pack/plugins/fields_metadata/public/index.ts b/x-pack/platform/plugins/shared/fields_metadata/public/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/index.ts diff --git a/x-pack/plugins/fields_metadata/public/mocks.tsx b/x-pack/platform/plugins/shared/fields_metadata/public/mocks.tsx similarity index 100% rename from x-pack/plugins/fields_metadata/public/mocks.tsx rename to x-pack/platform/plugins/shared/fields_metadata/public/mocks.tsx diff --git a/x-pack/plugins/fields_metadata/public/plugin.ts b/x-pack/platform/plugins/shared/fields_metadata/public/plugin.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/plugin.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/plugin.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_client.mock.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_client.mock.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_client.mock.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_client.mock.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_client.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_client.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_client.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_client.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_service.mock.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_service.mock.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_service.mock.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_service.mock.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_service.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_service.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/fields_metadata_service.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/fields_metadata_service.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/index.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/index.ts diff --git a/x-pack/plugins/fields_metadata/public/services/fields_metadata/types.ts b/x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/services/fields_metadata/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/services/fields_metadata/types.ts diff --git a/x-pack/plugins/fields_metadata/public/types.ts b/x-pack/platform/plugins/shared/fields_metadata/public/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/public/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/public/types.ts diff --git a/x-pack/plugins/fields_metadata/server/fields_metadata_server.ts b/x-pack/platform/plugins/shared/fields_metadata/server/fields_metadata_server.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/fields_metadata_server.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/fields_metadata_server.ts diff --git a/x-pack/plugins/fields_metadata/server/index.ts b/x-pack/platform/plugins/shared/fields_metadata/server/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/index.ts diff --git a/x-pack/plugins/fields_metadata/server/lib/shared_types.ts b/x-pack/platform/plugins/shared/fields_metadata/server/lib/shared_types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/lib/shared_types.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/lib/shared_types.ts diff --git a/x-pack/plugins/fields_metadata/server/mocks.ts b/x-pack/platform/plugins/shared/fields_metadata/server/mocks.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/mocks.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/mocks.ts diff --git a/x-pack/plugins/fields_metadata/server/plugin.ts b/x-pack/platform/plugins/shared/fields_metadata/server/plugin.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/plugin.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/plugin.ts diff --git a/x-pack/plugins/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts b/x-pack/platform/plugins/shared/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts diff --git a/x-pack/plugins/fields_metadata/server/routes/fields_metadata/index.ts b/x-pack/platform/plugins/shared/fields_metadata/server/routes/fields_metadata/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/routes/fields_metadata/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/routes/fields_metadata/index.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/errors.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/errors.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/errors.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/errors.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.mock.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.mock.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.mock.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.mock.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.test.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.test.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.test.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.test.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_client.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_client.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_service.mock.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_service.mock.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_service.mock.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_service.mock.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_service.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_service.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/fields_metadata_service.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/fields_metadata_service.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/index.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/index.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/index.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/index.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/ecs_fields_repository.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/ecs_fields_repository.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/ecs_fields_repository.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/ecs_fields_repository.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/integration_fields_repository.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/integration_fields_repository.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/integration_fields_repository.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/integration_fields_repository.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/metadata_fields_repository.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/metadata_fields_repository.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/metadata_fields_repository.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/metadata_fields_repository.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts diff --git a/x-pack/plugins/fields_metadata/server/services/fields_metadata/types.ts b/x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/services/fields_metadata/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/types.ts diff --git a/x-pack/plugins/fields_metadata/server/types.ts b/x-pack/platform/plugins/shared/fields_metadata/server/types.ts similarity index 100% rename from x-pack/plugins/fields_metadata/server/types.ts rename to x-pack/platform/plugins/shared/fields_metadata/server/types.ts diff --git a/x-pack/plugins/fields_metadata/tsconfig.json b/x-pack/platform/plugins/shared/fields_metadata/tsconfig.json similarity index 81% rename from x-pack/plugins/fields_metadata/tsconfig.json rename to x-pack/platform/plugins/shared/fields_metadata/tsconfig.json index 91fc85b3024ea..3553201027f60 100644 --- a/x-pack/plugins/fields_metadata/tsconfig.json +++ b/x-pack/platform/plugins/shared/fields_metadata/tsconfig.json @@ -1,10 +1,10 @@ { - "extends": "../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ - "../../../typings/**/*", + "../../../../../typings/**/*", "common/**/*", "public/**/*", "server/**/*", diff --git a/x-pack/plugins/observability_solution/logs_data_access/README.md b/x-pack/platform/plugins/shared/logs_data_access/README.md similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/README.md rename to x-pack/platform/plugins/shared/logs_data_access/README.md diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/constants.ts b/x-pack/platform/plugins/shared/logs_data_access/common/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/constants.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/constants.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/log_sources_service.mocks.ts b/x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/log_sources_service.mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/log_sources_service.mocks.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/log_sources_service.mocks.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/types.ts b/x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/types.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/types.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/utils.ts b/x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/services/log_sources_service/utils.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/services/log_sources_service/utils.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/types.ts b/x-pack/platform/plugins/shared/logs_data_access/common/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/types.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/types.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/common/ui_settings.ts b/x-pack/platform/plugins/shared/logs_data_access/common/ui_settings.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/common/ui_settings.ts rename to x-pack/platform/plugins/shared/logs_data_access/common/ui_settings.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/jest.config.js b/x-pack/platform/plugins/shared/logs_data_access/jest.config.js similarity index 71% rename from x-pack/plugins/observability_solution/logs_data_access/jest.config.js rename to x-pack/platform/plugins/shared/logs_data_access/jest.config.js index 08c16628e15ca..17405183fbaa1 100644 --- a/x-pack/plugins/observability_solution/logs_data_access/jest.config.js +++ b/x-pack/platform/plugins/shared/logs_data_access/jest.config.js @@ -9,6 +9,6 @@ const path = require('path'); module.exports = { preset: '@kbn/test', - rootDir: path.resolve(__dirname, '../../../..'), - roots: ['/x-pack/plugins/observability_solution/logs_data_access'], + rootDir: path.resolve(__dirname, '../../../../..'), + roots: ['/x-pack/platform/plugins/shared/logs_data_access'], }; diff --git a/x-pack/plugins/observability_solution/logs_data_access/kibana.jsonc b/x-pack/platform/plugins/shared/logs_data_access/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/kibana.jsonc rename to x-pack/platform/plugins/shared/logs_data_access/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/components/logs_sources_setting.tsx b/x-pack/platform/plugins/shared/logs_data_access/public/components/logs_sources_setting.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/components/logs_sources_setting.tsx rename to x-pack/platform/plugins/shared/logs_data_access/public/components/logs_sources_setting.tsx diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/hooks/use_log_sources.ts b/x-pack/platform/plugins/shared/logs_data_access/public/hooks/use_log_sources.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/hooks/use_log_sources.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/hooks/use_log_sources.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/index.ts b/x-pack/platform/plugins/shared/logs_data_access/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/plugin.ts b/x-pack/platform/plugins/shared/logs_data_access/public/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/plugin.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/plugin.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/services/log_sources_service/index.ts b/x-pack/platform/plugins/shared/logs_data_access/public/services/log_sources_service/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/services/log_sources_service/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/services/log_sources_service/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/services/register_services.ts b/x-pack/platform/plugins/shared/logs_data_access/public/services/register_services.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/services/register_services.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/services/register_services.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/public/types.ts b/x-pack/platform/plugins/shared/logs_data_access/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/public/types.ts rename to x-pack/platform/plugins/shared/logs_data_access/public/types.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/es_fields.ts b/x-pack/platform/plugins/shared/logs_data_access/server/es_fields.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/es_fields.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/es_fields.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/index.ts b/x-pack/platform/plugins/shared/logs_data_access/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/plugin.ts b/x-pack/platform/plugins/shared/logs_data_access/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/plugin.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_error_rate_timeseries/get_logs_error_rate_timeseries.ts b/x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_error_rate_timeseries/get_logs_error_rate_timeseries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_error_rate_timeseries/get_logs_error_rate_timeseries.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_error_rate_timeseries/get_logs_error_rate_timeseries.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rate_timeseries/get_logs_rate_timeseries.ts b/x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rate_timeseries/get_logs_rate_timeseries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rate_timeseries/get_logs_rate_timeseries.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rate_timeseries/get_logs_rate_timeseries.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts b/x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/services/log_sources_service/index.ts b/x-pack/platform/plugins/shared/logs_data_access/server/services/log_sources_service/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/services/log_sources_service/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/services/log_sources_service/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/services/register_services.ts b/x-pack/platform/plugins/shared/logs_data_access/server/services/register_services.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/services/register_services.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/services/register_services.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/types.ts b/x-pack/platform/plugins/shared/logs_data_access/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/types.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/types.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/utils/es_queries.ts b/x-pack/platform/plugins/shared/logs_data_access/server/utils/es_queries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/utils/es_queries.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/utils/es_queries.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/utils/index.ts b/x-pack/platform/plugins/shared/logs_data_access/server/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/utils/index.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/utils/index.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/server/utils/utils.test.ts b/x-pack/platform/plugins/shared/logs_data_access/server/utils/utils.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_data_access/server/utils/utils.test.ts rename to x-pack/platform/plugins/shared/logs_data_access/server/utils/utils.test.ts diff --git a/x-pack/plugins/observability_solution/logs_data_access/tsconfig.json b/x-pack/platform/plugins/shared/logs_data_access/tsconfig.json similarity index 93% rename from x-pack/plugins/observability_solution/logs_data_access/tsconfig.json rename to x-pack/platform/plugins/shared/logs_data_access/tsconfig.json index ff67c2f1c8f30..f9520dd8528a8 100644 --- a/x-pack/plugins/observability_solution/logs_data_access/tsconfig.json +++ b/x-pack/platform/plugins/shared/logs_data_access/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, diff --git a/x-pack/plugins/observability_solution/logs_shared/README.md b/x-pack/platform/plugins/shared/logs_shared/README.md similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/README.md rename to x-pack/platform/plugins/shared/logs_shared/README.md diff --git a/x-pack/plugins/observability_solution/logs_shared/common/constants.ts b/x-pack/platform/plugins/shared/logs_shared/common/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/constants.ts rename to x-pack/platform/plugins/shared/logs_shared/common/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/datetime.ts b/x-pack/platform/plugins/shared/logs_shared/common/formatters/datetime.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/datetime.ts rename to x-pack/platform/plugins/shared/logs_shared/common/formatters/datetime.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/deprecations/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/deprecations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/deprecations/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/deprecations/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/latest.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/latest.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/latest.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/latest.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/highlights.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/common.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/common.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/common.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/get_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/get_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/get_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/get_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/put_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/put_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/http_api/log_views/v1/put_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/common/http_api/log_views/v1/put_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/index.ts similarity index 97% rename from x-pack/plugins/observability_solution/logs_shared/common/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/index.ts index 0789f2f88e113..d05a52e90f419 100644 --- a/x-pack/plugins/observability_solution/logs_shared/common/index.ts +++ b/x-pack/platform/plugins/shared/logs_shared/common/index.ts @@ -43,7 +43,6 @@ export { ResolveLogViewError, } from './log_views/errors'; -// eslint-disable-next-line @kbn/eslint/no_export_all export * from './log_entry'; export { convertISODateToNanoPrecision } from './utils'; diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/get_logs_locators.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/get_logs_locators.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/get_logs_locators.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/get_logs_locators.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/helpers.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/helpers.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/helpers.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/logs_locator.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/logs_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/logs_locator.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/logs_locator.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/node_logs_locator.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/node_logs_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/node_logs_locator.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/node_logs_locator.ts diff --git a/x-pack/plugins/observability_solution/infra/common/time/time_range.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/time_range.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/time/time_range.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/time_range.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/trace_logs_locator.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/trace_logs_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/trace_logs_locator.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/trace_logs_locator.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts b/x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts rename to x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_entry/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_entry/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_entry/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_entry/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_text_scale/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_text_scale/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_text_scale/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_text_scale/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_text_scale/log_text_scale.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_text_scale/log_text_scale.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_text_scale/log_text_scale.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_text_scale/log_text_scale.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/log_view.mock.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/log_view.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/log_view.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/log_view.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.mock.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts b/x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts rename to x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/mocks.ts b/x-pack/platform/plugins/shared/logs_shared/common/mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/mocks.ts rename to x-pack/platform/plugins/shared/logs_shared/common/mocks.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/plugin_config.ts b/x-pack/platform/plugins/shared/logs_shared/common/plugin_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/plugin_config.ts rename to x-pack/platform/plugins/shared/logs_shared/common/plugin_config.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/runtime_types.ts b/x-pack/platform/plugins/shared/logs_shared/common/runtime_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/runtime_types.ts rename to x-pack/platform/plugins/shared/logs_shared/common/runtime_types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/search_strategies/common/errors.ts b/x-pack/platform/plugins/shared/logs_shared/common/search_strategies/common/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/search_strategies/common/errors.ts rename to x-pack/platform/plugins/shared/logs_shared/common/search_strategies/common/errors.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/search_strategies/log_entries/log_entries.ts b/x-pack/platform/plugins/shared/logs_shared/common/search_strategies/log_entries/log_entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/search_strategies/log_entries/log_entries.ts rename to x-pack/platform/plugins/shared/logs_shared/common/search_strategies/log_entries/log_entries.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/search_strategies/log_entries/log_entry.ts b/x-pack/platform/plugins/shared/logs_shared/common/search_strategies/log_entries/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/search_strategies/log_entries/log_entry.ts rename to x-pack/platform/plugins/shared/logs_shared/common/search_strategies/log_entries/log_entry.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/time/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/time/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/time/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/time/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/time/time_key.ts b/x-pack/platform/plugins/shared/logs_shared/common/time/time_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/time/time_key.ts rename to x-pack/platform/plugins/shared/logs_shared/common/time/time_key.ts diff --git a/x-pack/plugins/observability_solution/infra/common/typed_json.ts b/x-pack/platform/plugins/shared/logs_shared/common/typed_json.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/typed_json.ts rename to x-pack/platform/plugins/shared/logs_shared/common/typed_json.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.test.ts b/x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.test.ts rename to x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.ts b/x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.ts rename to x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/utils/index.ts b/x-pack/platform/plugins/shared/logs_shared/common/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/utils/index.ts rename to x-pack/platform/plugins/shared/logs_shared/common/utils/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/emotion.d.ts b/x-pack/platform/plugins/shared/logs_shared/emotion.d.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/emotion.d.ts rename to x-pack/platform/plugins/shared/logs_shared/emotion.d.ts diff --git a/x-pack/plugins/observability_solution/infra/jest.config.js b/x-pack/platform/plugins/shared/logs_shared/jest.config.js similarity index 58% rename from x-pack/plugins/observability_solution/infra/jest.config.js rename to x-pack/platform/plugins/shared/logs_shared/jest.config.js index 817a1f600b836..9d3e6d67cfc4b 100644 --- a/x-pack/plugins/observability_solution/infra/jest.config.js +++ b/x-pack/platform/plugins/shared/logs_shared/jest.config.js @@ -7,12 +7,12 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/plugins/observability_solution/infra'], + rootDir: '../../../../..', + roots: ['/x-pack/platform/plugins/shared/logs_shared'], coverageDirectory: - '/target/kibana-coverage/jest/x-pack/plugins/observability_solution/infra', + '/target/kibana-coverage/jest/x-pack/platform/plugins/shared/logs_shared', coverageReporters: ['text', 'html'], collectCoverageFrom: [ - '/x-pack/plugins/observability_solution/infra/{common,public,server}/**/*.{ts,tsx}', + '/x-pack/platform/plugins/shared/logs_shared/{common,public,server}/**/*.{ts,tsx}', ], }; diff --git a/x-pack/plugins/observability_solution/logs_shared/kibana.jsonc b/x-pack/platform/plugins/shared/logs_shared/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/kibana.jsonc rename to x-pack/platform/plugins/shared/logs_shared/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/infra/public/components/auto_sizer.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/auto_sizer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/auto_sizer.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/auto_sizer.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/centered_flyout_body.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/centered_flyout_body.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/centered_flyout_body.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/centered_flyout_body.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/data_search_error_callout.stories.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/data_search_error_callout.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/data_search_error_callout.stories.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/data_search_error_callout.stories.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/data_search_error_callout.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/data_search_error_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/data_search_error_callout.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/data_search_error_callout.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/data_search_progress.stories.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/data_search_progress.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/data_search_progress.stories.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/data_search_progress.stories.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/data_search_progress.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/data_search_progress.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/data_search_progress.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/data_search_progress.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/empty_states/index.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/empty_states/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/empty_states/index.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/empty_states/index.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/empty_states/no_data.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/empty_states/no_data.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/empty_states/no_data.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/empty_states/no_data.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/formatted_time.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/formatted_time.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/formatted_time.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/formatted_time.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/loading/__examples__/index.stories.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/loading/__examples__/index.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/loading/__examples__/index.stories.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/loading/__examples__/index.stories.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/loading/index.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/loading/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/loading/index.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/loading/index.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/index.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/index.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/index.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.mock.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.mock.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.mock.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.mock.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/translations.ts b/x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/translations.ts rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/translations.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.mdx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.mdx similarity index 99% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.mdx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.mdx index 0cbc0a03f9184..64a6e1d9919a1 100644 --- a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.mdx +++ b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.mdx @@ -9,7 +9,7 @@ The purpose of this component is to allow you, the developer, to have your very The component is exposed through `logs_shared/public`. Since Kibana uses relative paths, it is up to you to find how to import it (sorry). ```tsx -import { LogStream } from '../../../../../../logs_shared/public'; +import { LogStream } from '../../../../../../../logs_shared/public'; // ^^ Modify appropriately ``` diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.story_decorators.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.story_decorators.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.story_decorators.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.story_decorators.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream_error_boundary.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream_error_boundary.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream_error_boundary.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream_error_boundary.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/index.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/index.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/index.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_actions_menu.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_fields_table.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_fields_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_fields_table.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_fields_table.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_flyout.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_entry_flyout/log_entry_flyout.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_entry_flyout/log_entry_flyout.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/column_headers.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/column_headers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/column_headers.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/column_headers.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/column_headers_wrapper.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/column_headers_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/column_headers_wrapper.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/column_headers_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/field_value.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/field_value.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/field_value.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/field_value.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/highlighting.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/highlighting.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/highlighting.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/highlighting.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/jump_to_tail.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/jump_to_tail.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/jump_to_tail.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/jump_to_tail.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/loading_item_view.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/loading_item_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/loading_item_view.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/loading_item_view.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_date_row.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_date_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_date_row.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_date_row.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_context_menu.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_context_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_context_menu.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_context_menu.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_field_column.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_message_column.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_row.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_row.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_row.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_row_wrapper.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_row_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_row_wrapper.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_row_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_timestamp_column.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_timestamp_column.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_timestamp_column.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_timestamp_column.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_text_separator.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_text_separator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_text_separator.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_text_separator.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/measurable_item_view.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/measurable_item_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/measurable_item_view.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/measurable_item_view.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/text_styles.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/text_styles.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/text_styles.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/text_styles.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/vertical_scroll_panel.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/vertical_scroll_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/vertical_scroll_panel.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/vertical_scroll_panel.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/index.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/index.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/index.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/logs_overview.mock.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/logs_overview.mock.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/logs_overview.mock.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/logs_overview.mock.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/logs_overview.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/logs_overview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/logs_overview.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/logs_overview.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/open_in_logs_explorer_button.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/open_in_logs_explorer_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/open_in_logs_explorer_button.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/open_in_logs_explorer_button.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/resettable_error_boundary.tsx b/x-pack/platform/plugins/shared/logs_shared/public/components/resettable_error_boundary.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/resettable_error_boundary.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/components/resettable_error_boundary.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_entry.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_entry.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_entry.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/api/fetch_log_entries_highlights.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/api/fetch_log_entries_highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/api/fetch_log_entries_highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/api/fetch_log_entries_highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/api/fetch_log_summary_highlights.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/api/fetch_log_summary_highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/api/fetch_log_summary_highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/api/fetch_log_summary_highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_entry_highlights.tsx b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_entry_highlights.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_entry_highlights.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_entry_highlights.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_summary_highlights.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_summary_highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_summary_highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_summary_highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/next_and_previous.tsx b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/next_and_previous.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/next_and_previous.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/next_and_previous.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/use_log_position.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/use_log_position.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/use_log_position.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/use_log_position.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_after.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_after.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_after.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_after.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_around.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_around.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_around.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_around.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_before.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_before.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_before.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/use_fetch_log_entries_before.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/api/fetch_log_summary.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/api/fetch_log_summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/api/fetch_log_summary.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/api/fetch_log_summary.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/bucket_size.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/bucket_size.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/bucket_size.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/bucket_size.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/log_summary.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/log_summary.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/log_summary.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/log_summary.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/log_summary.tsx b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/log_summary.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/log_summary.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/log_summary.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/with_summary.ts b/x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/with_summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/with_summary.ts rename to x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/with_summary.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/hooks/use_kibana.tsx b/x-pack/platform/plugins/shared/logs_shared/public/hooks/use_kibana.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/hooks/use_kibana.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/hooks/use_kibana.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/mocks.tsx b/x-pack/platform/plugins/shared/logs_shared/public/mocks.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/mocks.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/mocks.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/README.md b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/README.md similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/README.md rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/README.md diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/notifications.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/notifications.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/notifications.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/state_machine.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/state_machine.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/README.md b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/README.md rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/README.md diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/notification_channel.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/notification_channel.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/notification_channel.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/notification_channel.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/types.ts b/x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/src/types.ts rename to x-pack/platform/plugins/shared/logs_shared/public/observability_logs/xstate_helpers/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/plugin.tsx b/x-pack/platform/plugins/shared/logs_shared/public/plugin.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/plugin.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/plugin.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_client.mock.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_client.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_client.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_client.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_client.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_service.mock.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_service.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_service.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/log_views_service.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/log_views_service.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/services/log_views/types.ts b/x-pack/platform/plugins/shared/logs_shared/public/services/log_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/services/log_views/types.ts rename to x-pack/platform/plugins/shared/logs_shared/public/services/log_views/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/test_utils/entries.ts b/x-pack/platform/plugins/shared/logs_shared/public/test_utils/entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/test_utils/entries.ts rename to x-pack/platform/plugins/shared/logs_shared/public/test_utils/entries.ts diff --git a/x-pack/plugins/observability_solution/infra/public/test_utils/use_global_storybook_theme.tsx b/x-pack/platform/plugins/shared/logs_shared/public/test_utils/use_global_storybook_theme.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/test_utils/use_global_storybook_theme.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/test_utils/use_global_storybook_theme.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/types.ts b/x-pack/platform/plugins/shared/logs_shared/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/types.ts rename to x-pack/platform/plugins/shared/logs_shared/public/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/data_search.stories.mdx b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/data_search.stories.mdx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/data_search.stories.mdx rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/data_search.stories.mdx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/flatten_data_search_response.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/flatten_data_search_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/flatten_data_search_response.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/flatten_data_search_response.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/normalize_data_search_responses.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/normalize_data_search_responses.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/normalize_data_search_responses.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/normalize_data_search_responses.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/types.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/types.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_request.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_request.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_request.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_request.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_request.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_request.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_request.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_request.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_response_state.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_response_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_response_state.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_data_search_response_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/use_latest_partial_data_search_response.test.tsx b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/use_latest_partial_data_search_response.test.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.test.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/datemath.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/datemath.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/datemath.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/datemath.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/dev_mode.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/dev_mode.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/dev_mode.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/dev_mode.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/handlers.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/handlers.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/handlers.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/handlers.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/log_column_render_configuration.tsx b/x-pack/platform/plugins/shared/logs_shared/public/utils/log_column_render_configuration.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/log_column_render_configuration.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/utils/log_column_render_configuration.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/index.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/index.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/log_entry.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/log_entry.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/log_entry.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/log_entry_highlight.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/log_entry_highlight.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/log_entry/log_entry_highlight.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/log_entry/log_entry_highlight.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/typed_react.tsx b/x-pack/platform/plugins/shared/logs_shared/public/utils/typed_react.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/typed_react.tsx rename to x-pack/platform/plugins/shared/logs_shared/public/utils/typed_react.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_kibana_query_settings.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_kibana_query_settings.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_kibana_query_settings.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_kibana_query_settings.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_ui_setting.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_kibana_ui_setting.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_ui_setting.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_kibana_ui_setting.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_observable.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_observable.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_observable.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_observable.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_tracked_promise.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_tracked_promise.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_tracked_promise.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_tracked_promise.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_ui_tracker.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_ui_tracker.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_ui_tracker.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_ui_tracker.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_visibility_state.ts b/x-pack/platform/plugins/shared/logs_shared/public/utils/use_visibility_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_visibility_state.ts rename to x-pack/platform/plugins/shared/logs_shared/public/utils/use_visibility_state.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/config.ts b/x-pack/platform/plugins/shared/logs_shared/server/config.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/config.ts rename to x-pack/platform/plugins/shared/logs_shared/server/config.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/deprecations/constants.ts b/x-pack/platform/plugins/shared/logs_shared/server/deprecations/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/deprecations/constants.ts rename to x-pack/platform/plugins/shared/logs_shared/server/deprecations/constants.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/deprecations/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/deprecations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/deprecations/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/deprecations/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/deprecations/log_sources_setting.ts b/x-pack/platform/plugins/shared/logs_shared/server/deprecations/log_sources_setting.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/deprecations/log_sources_setting.ts rename to x-pack/platform/plugins/shared/logs_shared/server/deprecations/log_sources_setting.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/feature_flags.ts b/x-pack/platform/plugins/shared/logs_shared/server/feature_flags.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/feature_flags.ts rename to x-pack/platform/plugins/shared/logs_shared/server/feature_flags.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/adapter_types.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/adapter_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/adapter_types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/adapter_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/log_entries/kibana_log_entries_adapter.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/log_entries/kibana_log_entries_adapter.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/log_entries/kibana_log_entries_adapter.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/log_entries/kibana_log_entries_adapter.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.mock.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/queries/log_entry_datasets.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/queries/log_entry_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/queries/log_entry_datasets.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/queries/log_entry_datasets.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/logs_shared_types.ts b/x-pack/platform/plugins/shared/logs_shared/server/lib/logs_shared_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/logs_shared_types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/lib/logs_shared_types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/logs_shared_server.ts b/x-pack/platform/plugins/shared/logs_shared/server/logs_shared_server.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/logs_shared_server.ts rename to x-pack/platform/plugins/shared/logs_shared/server/logs_shared_server.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/mocks.ts b/x-pack/platform/plugins/shared/logs_shared/server/mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/mocks.ts rename to x-pack/platform/plugins/shared/logs_shared/server/mocks.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/plugin.ts b/x-pack/platform/plugins/shared/logs_shared/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/plugin.ts rename to x-pack/platform/plugins/shared/logs_shared/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/deprecations/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/deprecations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/deprecations/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/deprecations/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/highlights.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/summary.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/summary.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/summary.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/summary_highlights.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/summary_highlights.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_entries/summary_highlights.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_entries/summary_highlights.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/get_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/get_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/get_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/get_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/put_log_view.ts b/x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/put_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/routes/log_views/put_log_view.ts rename to x-pack/platform/plugins/shared/logs_shared/server/routes/log_views/put_log_view.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/references/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/references/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/references/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/references/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/references/log_indices.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/references/log_indices.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/references/log_indices.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/references/log_indices.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/types.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/references.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/references.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/references.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/references.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/references.ts b/x-pack/platform/plugins/shared/logs_shared/server/saved_objects/references.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/references.ts rename to x-pack/platform/plugins/shared/logs_shared/server/saved_objects/references.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_search_strategy.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_search_strategy.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_search_strategy.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_search_strategy.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_search_strategy.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_search_strategy.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_search_strategy.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_search_strategy.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_service.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entries_service.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entries_service.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entry_search_strategy.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entry_search_strategy.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entry_search_strategy.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entry_search_strategy.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entry_search_strategy.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entry_search_strategy.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/log_entry_search_strategy.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/log_entry_search_strategy.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_apache2.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_auditd.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_haproxy.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_icinga.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_iis.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_kafka.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_kafka.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_kafka.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_kafka.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_logstash.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mongodb.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_mysql.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_nginx.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_osquery.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_redis.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_redis.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_redis.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_redis.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_system.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_system.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_system.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_system.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/filebeat_traefik.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic_webserver.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic_webserver.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/generic_webserver.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/generic_webserver.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/helpers.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/helpers.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/helpers.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/builtin_rules/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/builtin_rules/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/message.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/message.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/message.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/message.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/rule_types.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/rule_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/message/rule_types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/message/rule_types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/common.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/common.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/common.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/log_entries.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/log_entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/log_entries.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/log_entries.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/log_entry.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/queries/log_entry.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/queries/log_entry.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/types.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_entries/types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_entries/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/errors.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/errors.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/errors.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/index.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/index.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.mock.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.test.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.test.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_client.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_client.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_service.mock.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_service.mock.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_service.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/log_views_service.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/log_views_service.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/services/log_views/types.ts b/x-pack/platform/plugins/shared/logs_shared/server/services/log_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/services/log_views/types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/services/log_views/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/types.ts b/x-pack/platform/plugins/shared/logs_shared/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/utils/elasticsearch_runtime_types.ts b/x-pack/platform/plugins/shared/logs_shared/server/utils/elasticsearch_runtime_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/utils/elasticsearch_runtime_types.ts rename to x-pack/platform/plugins/shared/logs_shared/server/utils/elasticsearch_runtime_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/serialized_query.ts b/x-pack/platform/plugins/shared/logs_shared/server/utils/serialized_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/serialized_query.ts rename to x-pack/platform/plugins/shared/logs_shared/server/utils/serialized_query.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/utils/typed_search_strategy.ts b/x-pack/platform/plugins/shared/logs_shared/server/utils/typed_search_strategy.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/utils/typed_search_strategy.ts rename to x-pack/platform/plugins/shared/logs_shared/server/utils/typed_search_strategy.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/tsconfig.json b/x-pack/platform/plugins/shared/logs_shared/tsconfig.json similarity index 94% rename from x-pack/plugins/observability_solution/logs_shared/tsconfig.json rename to x-pack/platform/plugins/shared/logs_shared/tsconfig.json index 1892e6b4e2dca..63a176154b4ea 100644 --- a/x-pack/plugins/observability_solution/logs_shared/tsconfig.json +++ b/x-pack/platform/plugins/shared/logs_shared/tsconfig.json @@ -1,10 +1,10 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ - "../../../../typings/**/*", + "../../../../../typings/**/*", "common/**/*", "public/**/*", "server/**/*", diff --git a/x-pack/plugins/enterprise_search/server/plugin.ts b/x-pack/plugins/enterprise_search/server/plugin.ts index 1d4ba5e6dfd1f..3cd0cb9d060b0 100644 --- a/x-pack/plugins/enterprise_search/server/plugin.ts +++ b/x-pack/plugins/enterprise_search/server/plugin.ts @@ -338,7 +338,7 @@ export class EnterpriseSearchPlugin implements Plugin { /* * Register logs source configuration, used by LogStream components - * @see https://github.com/elastic/kibana/blob/main/x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.stories.mdx#with-a-source-configuration + * @see https://github.com/elastic/kibana/blob/main/x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.stories.mdx#with-a-source-configuration */ logsShared.logViews.defineInternalLogView(ENTERPRISE_SEARCH_RELEVANCE_LOGS_SOURCE_ID, { logIndices: { diff --git a/x-pack/plugins/fields_metadata/jest.config.js b/x-pack/plugins/fields_metadata/jest.config.js deleted file mode 100644 index 3c1d51b335696..0000000000000 --- a/x-pack/plugins/fields_metadata/jest.config.js +++ /dev/null @@ -1,17 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../../..', - roots: ['/x-pack/plugins/fields_metadata'], - coverageDirectory: '/target/kibana-coverage/jest/x-pack/plugins/fields_metadata', - coverageReporters: ['text', 'html'], - collectCoverageFrom: [ - '/x-pack/plugins/fields_metadata/{common,public,server}/**/*.{ts,tsx}', - ], -}; diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/jest.config.js b/x-pack/plugins/observability_solution/observability_logs_explorer/jest.config.js deleted file mode 100644 index 710181b10939f..0000000000000 --- a/x-pack/plugins/observability_solution/observability_logs_explorer/jest.config.js +++ /dev/null @@ -1,18 +0,0 @@ -/* - * 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; you may not use this file except in compliance with the Elastic License - * 2.0. - */ - -module.exports = { - preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/plugins/observability_solution/observability_logs_explorer'], - coverageDirectory: - '/target/kibana-coverage/jest/x-pack/plugins/observability_solution/observability_logs_explorer', - coverageReporters: ['text', 'html'], - collectCoverageFrom: [ - '/x-pack/plugins/observability_solution/observability_logs_explorer/{common,public}/**/*.{ts,tsx}', - ], -}; diff --git a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_observability.json b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_observability.json index 4b60ca1da8d6b..ad6d7bf795baa 100644 --- a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_observability.json +++ b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_observability.json @@ -1,5 +1,29 @@ { "properties": { + "infraops": { + "properties": { + "last_24_hours": { + "properties": { + "hits": { + "properties": { + "infraops_hosts": { + "type": "long" + }, + "infraops_docker": { + "type": "long" + }, + "infraops_kubernetes": { + "type": "long" + }, + "logs": { + "type": "long" + } + } + } + } + } + } + }, "investigation": { "properties": { "investigation": { diff --git a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_platform.json b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_platform.json index c5371a8815aef..306015015186c 100644 --- a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_platform.json +++ b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_platform.json @@ -1,5 +1,147 @@ { "properties": { + "logs_data": { + "properties": { + "data": { + "type": "array", + "items": { + "properties": { + "pattern_name": { + "type": "keyword", + "_meta": { + "description": "Logs pattern name representing the stream of logs" + } + }, + "shipper": { + "type": "keyword", + "_meta": { + "description": "Shipper if present, sending the logs" + } + }, + "doc_count": { + "type": "long", + "_meta": { + "description": "Total number of documents in the steam of logs" + } + }, + "structure_level": { + "properties": { + "0": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 0" + } + }, + "1": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 1" + } + }, + "2": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 2" + } + }, + "3": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 3" + } + }, + "4": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 4" + } + }, + "5": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 5" + } + }, + "6": { + "type": "long", + "_meta": { + "description": "Total docs at structure level 6" + } + } + } + }, + "failure_store_doc_count": { + "type": "long", + "_meta": { + "description": "Total number of documents in the failure store in the stream of logs" + } + }, + "index_count": { + "type": "long", + "_meta": { + "description": "Total number of indices in the stream of logs" + } + }, + "namespace_count": { + "type": "long", + "_meta": { + "description": "Total number of namespaces in the stream of logs" + } + }, + "field_count": { + "type": "long", + "_meta": { + "description": "Total number of fields in mappings of indices of the stream of logs" + } + }, + "field_existence": { + "properties": { + "DYNAMIC_KEY": { + "type": "long", + "_meta": { + "description": "Count of documents having the field represented by the key" + } + } + } + }, + "size_in_bytes": { + "type": "long", + "_meta": { + "description": "Total size in bytes of the stream of logs" + } + }, + "managed_by": { + "type": "array", + "items": { + "type": "keyword", + "_meta": { + "description": "Value captured in _meta.managed_by" + } + } + }, + "package_name": { + "type": "array", + "items": { + "type": "keyword", + "_meta": { + "description": "Value captured in _meta.package.name" + } + } + }, + "beat": { + "type": "array", + "items": { + "type": "keyword", + "_meta": { + "description": "Value captured in _meta.beat.name" + } + } + } + } + } + } + } + }, "ml": { "properties": { "alertRules": { diff --git a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_plugins.json b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_plugins.json index b2870f3ef4809..c45a2944aa440 100644 --- a/x-pack/plugins/telemetry_collection_xpack/schema/xpack_plugins.json +++ b/x-pack/plugins/telemetry_collection_xpack/schema/xpack_plugins.json @@ -12907,30 +12907,6 @@ } } }, - "infraops": { - "properties": { - "last_24_hours": { - "properties": { - "hits": { - "properties": { - "infraops_hosts": { - "type": "long" - }, - "infraops_docker": { - "type": "long" - }, - "infraops_kubernetes": { - "type": "long" - }, - "logs": { - "type": "long" - } - } - } - } - } - } - }, "kibana_settings": { "properties": { "xpack": { @@ -12942,148 +12918,6 @@ } } }, - "logs_data": { - "properties": { - "data": { - "type": "array", - "items": { - "properties": { - "pattern_name": { - "type": "keyword", - "_meta": { - "description": "Logs pattern name representing the stream of logs" - } - }, - "shipper": { - "type": "keyword", - "_meta": { - "description": "Shipper if present, sending the logs" - } - }, - "doc_count": { - "type": "long", - "_meta": { - "description": "Total number of documents in the steam of logs" - } - }, - "structure_level": { - "properties": { - "0": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 0" - } - }, - "1": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 1" - } - }, - "2": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 2" - } - }, - "3": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 3" - } - }, - "4": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 4" - } - }, - "5": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 5" - } - }, - "6": { - "type": "long", - "_meta": { - "description": "Total docs at structure level 6" - } - } - } - }, - "failure_store_doc_count": { - "type": "long", - "_meta": { - "description": "Total number of documents in the failure store in the stream of logs" - } - }, - "index_count": { - "type": "long", - "_meta": { - "description": "Total number of indices in the stream of logs" - } - }, - "namespace_count": { - "type": "long", - "_meta": { - "description": "Total number of namespaces in the stream of logs" - } - }, - "field_count": { - "type": "long", - "_meta": { - "description": "Total number of fields in mappings of indices of the stream of logs" - } - }, - "field_existence": { - "properties": { - "DYNAMIC_KEY": { - "type": "long", - "_meta": { - "description": "Count of documents having the field represented by the key" - } - } - } - }, - "size_in_bytes": { - "type": "long", - "_meta": { - "description": "Total size in bytes of the stream of logs" - } - }, - "managed_by": { - "type": "array", - "items": { - "type": "keyword", - "_meta": { - "description": "Value captured in _meta.managed_by" - } - } - }, - "package_name": { - "type": "array", - "items": { - "type": "keyword", - "_meta": { - "description": "Value captured in _meta.package.name" - } - } - }, - "beat": { - "type": "array", - "items": { - "type": "keyword", - "_meta": { - "description": "Value captured in _meta.beat.name" - } - } - } - } - } - } - } - }, "maps": { "properties": { "mapsTotalCount": { diff --git a/packages/kbn-custom-integrations/README.md b/x-pack/solutions/observability/packages/kbn-custom-integrations/README.md similarity index 100% rename from packages/kbn-custom-integrations/README.md rename to x-pack/solutions/observability/packages/kbn-custom-integrations/README.md diff --git a/packages/kbn-custom-integrations/index.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/index.ts similarity index 58% rename from packages/kbn-custom-integrations/index.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/index.ts index 60024b00053bb..722045741e0ba 100644 --- a/packages/kbn-custom-integrations/index.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/index.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ export { diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js b/x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js new file mode 100644 index 0000000000000..c36c2422869b8 --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/jest.config.js @@ -0,0 +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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +module.exports = { + preset: '@kbn/test/jest_node', + rootDir: '../../../../..', + roots: ['/x-pack/solutions/observability/packages/kbn-custom-integrations'], +}; diff --git a/packages/kbn-custom-integrations/kibana.jsonc b/x-pack/solutions/observability/packages/kbn-custom-integrations/kibana.jsonc similarity index 100% rename from packages/kbn-custom-integrations/kibana.jsonc rename to x-pack/solutions/observability/packages/kbn-custom-integrations/kibana.jsonc diff --git a/packages/kbn-custom-integrations/package.json b/x-pack/solutions/observability/packages/kbn-custom-integrations/package.json similarity index 61% rename from packages/kbn-custom-integrations/package.json rename to x-pack/solutions/observability/packages/kbn-custom-integrations/package.json index 5850873bb1bfe..d6fff9238f5f8 100644 --- a/packages/kbn-custom-integrations/package.json +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/package.json @@ -2,6 +2,6 @@ "name": "@kbn/custom-integrations", "private": true, "version": "1.0.0", - "license": "Elastic License 2.0 OR AGPL-3.0-only OR SSPL-1.0", + "license": "Elastic License 2.0", "sideEffects": false } \ No newline at end of file diff --git a/packages/kbn-custom-integrations/src/components/create/button.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/button.tsx similarity index 86% rename from packages/kbn-custom-integrations/src/components/create/button.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/button.tsx index ab2023e4ed5e2..cbf480f50ff5d 100644 --- a/packages/kbn-custom-integrations/src/components/create/button.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/button.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { EuiButton } from '@elastic/eui'; diff --git a/packages/kbn-custom-integrations/src/components/create/error_callout.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/error_callout.tsx similarity index 85% rename from packages/kbn-custom-integrations/src/components/create/error_callout.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/error_callout.tsx index 1d8c830cbe4c3..9de070425cabe 100644 --- a/packages/kbn-custom-integrations/src/components/create/error_callout.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/error_callout.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import React from 'react'; diff --git a/packages/kbn-custom-integrations/src/components/create/form.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/form.tsx similarity index 95% rename from packages/kbn-custom-integrations/src/components/create/form.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/form.tsx index 2ebe95d5cfb97..1a54df5e6e707 100644 --- a/packages/kbn-custom-integrations/src/components/create/form.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/form.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import React, { useCallback } from 'react'; diff --git a/packages/kbn-custom-integrations/src/components/create/utils.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/utils.ts similarity index 51% rename from packages/kbn-custom-integrations/src/components/create/utils.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/utils.ts index 98d3441d694f3..5e7376b8c8efa 100644 --- a/packages/kbn-custom-integrations/src/components/create/utils.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/create/utils.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ export const replaceSpecialChars = (value: string) => { diff --git a/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx similarity index 76% rename from packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx index a26763485d67a..0410171789f38 100644 --- a/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import React from 'react'; diff --git a/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx similarity index 73% rename from packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx index 7e01bd63f8774..53ffb664051cc 100644 --- a/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import React from 'react'; diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/index.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/index.ts new file mode 100644 index 0000000000000..a8c866eefbb2b --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/index.ts @@ -0,0 +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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +export { ConnectedCreateCustomIntegrationForm } from './create/form'; +export * from './create/error_callout'; +export * from './custom_integrations_button'; +export * from './custom_integrations_form'; diff --git a/packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts similarity index 76% rename from packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts index 35dcea4bce27c..d7b3cce01034a 100644 --- a/packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/create/use_create_dispatchable_events.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { useActor, useSelector } from '@xstate/react'; diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/index.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/index.ts new file mode 100644 index 0000000000000..3bbee5aa6dedb --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/index.ts @@ -0,0 +1,10 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +export { useConsumerCustomIntegrations } from './use_consumer_custom_integrations'; +export { useCustomIntegrations } from './use_custom_integrations'; +export type { DispatchableEvents } from './use_consumer_custom_integrations'; diff --git a/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts similarity index 64% rename from packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts index e8202b3699a70..5a694c104f9b7 100644 --- a/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { diff --git a/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts similarity index 60% rename from packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts index e02a1a636c83d..469f9cffc5a63 100644 --- a/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { useActor } from '@xstate/react'; diff --git a/packages/kbn-custom-integrations/src/state_machines/create/defaults.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/defaults.ts similarity index 57% rename from packages/kbn-custom-integrations/src/state_machines/create/defaults.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/defaults.ts index dbfd375b1d665..a806314448ea7 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/defaults.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/defaults.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ export const DEFAULT_CONTEXT = { diff --git a/packages/kbn-custom-integrations/src/state_machines/create/notifications.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/notifications.ts similarity index 83% rename from packages/kbn-custom-integrations/src/state_machines/create/notifications.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/notifications.ts index 415b204571980..56d44652ec5f7 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/notifications.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/notifications.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { CustomIntegrationOptions, IntegrationError } from '../../types'; diff --git a/packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts similarity index 91% rename from packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts index 28ff0660816ba..f59c21dc499eb 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/pipelines/fields.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { pipe } from 'fp-ts/lib/pipeable'; diff --git a/packages/kbn-custom-integrations/src/state_machines/create/selectors.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/selectors.ts similarity index 61% rename from packages/kbn-custom-integrations/src/state_machines/create/selectors.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/selectors.ts index 9b5ef7d05cfcc..58eefa2fbd16b 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/selectors.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/selectors.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { CreateCustomIntegrationState } from './state_machine'; diff --git a/packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts similarity index 97% rename from packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts index 6f53563ab0555..b7abc58433601 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/state_machine.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { i18n } from '@kbn/i18n'; diff --git a/packages/kbn-custom-integrations/src/state_machines/create/types.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/types.ts similarity index 90% rename from packages/kbn-custom-integrations/src/state_machines/create/types.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/types.ts index 5effeced918f0..2e4a776910ad9 100644 --- a/packages/kbn-custom-integrations/src/state_machines/create/types.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/create/types.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { CustomIntegrationOptions, IntegrationError } from '../../types'; diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts new file mode 100644 index 0000000000000..68617dded95ac --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/defaults.ts @@ -0,0 +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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import { DefaultCustomIntegrationsContext } from './types'; + +export const DEFAULT_CONTEXT: DefaultCustomIntegrationsContext = { + mode: 'create' as const, +}; diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts similarity index 69% rename from packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts index dd9ca6a51dd9b..66d743c7fb1c5 100644 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/notifications.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { createNotificationChannel, NotificationChannel } from '@kbn/xstate-utils'; diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx similarity index 88% rename from packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx index 3ff74972cc8eb..4cf87470380ed 100644 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { useInterpret } from '@xstate/react'; diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts new file mode 100644 index 0000000000000..5ef42df0747d8 --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/selectors.ts @@ -0,0 +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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import { CustomIntegrationsState } from './state_machine'; + +export const createIsInitializedSelector = (state: CustomIntegrationsState) => + state && state.matches({ create: 'initialized' }); diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts similarity index 94% rename from packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts index 2ea9bc73c383b..546f0198698a4 100644 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/state_machine.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { ActorRefFrom, createMachine, EmittedFrom } from 'xstate'; diff --git a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts similarity index 70% rename from packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts index 8c34ca3293e22..3308705d7afb9 100644 --- a/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { CreateCustomIntegrationNotificationEvent } from '../create/notifications'; diff --git a/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/index.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/index.ts new file mode 100644 index 0000000000000..9d5fca22f8293 --- /dev/null +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/index.ts @@ -0,0 +1,10 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +export { CustomIntegrationsProvider } from './custom_integrations/provider'; +export type { Callbacks } from './custom_integrations/provider'; +export type { InitialState } from './custom_integrations/types'; diff --git a/packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts similarity index 91% rename from packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts index 4b6fb1e721870..e7c096d3444f8 100644 --- a/packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/integrations_client.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { HttpSetup } from '@kbn/core/public'; diff --git a/packages/kbn-custom-integrations/src/state_machines/services/validation.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/validation.ts similarity index 89% rename from packages/kbn-custom-integrations/src/state_machines/services/validation.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/validation.ts index b5554f79c5675..b2b24a8a9c4e4 100644 --- a/packages/kbn-custom-integrations/src/state_machines/services/validation.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/services/validation.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ import { isEmpty } from 'lodash'; diff --git a/packages/kbn-custom-integrations/src/types.ts b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/types.ts similarity index 82% rename from packages/kbn-custom-integrations/src/types.ts rename to x-pack/solutions/observability/packages/kbn-custom-integrations/src/types.ts index d3ee039f89121..803bb341f5904 100644 --- a/packages/kbn-custom-integrations/src/types.ts +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/src/types.ts @@ -1,10 +1,8 @@ /* * 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", the "GNU Affero General Public License v3.0 only", 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", the "GNU Affero General Public - * License v3.0 only", or the "Server Side Public License, v 1". + * or more contributor license agreements. Licensed under the Elastic License + * 2.0; you may not use this file except in compliance with the Elastic License + * 2.0. */ /* eslint-disable max-classes-per-file */ diff --git a/packages/kbn-custom-integrations/tsconfig.json b/x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.json similarity index 87% rename from packages/kbn-custom-integrations/tsconfig.json rename to x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.json index cb57aee9dbeaa..361844028545f 100644 --- a/packages/kbn-custom-integrations/tsconfig.json +++ b/x-pack/solutions/observability/packages/kbn-custom-integrations/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types", "types": [ diff --git a/x-pack/plugins/observability_solution/infra/.storybook/main.js b/x-pack/solutions/observability/plugins/infra/.storybook/main.js similarity index 100% rename from x-pack/plugins/observability_solution/infra/.storybook/main.js rename to x-pack/solutions/observability/plugins/infra/.storybook/main.js diff --git a/x-pack/plugins/observability_solution/infra/.storybook/preview.js b/x-pack/solutions/observability/plugins/infra/.storybook/preview.js similarity index 100% rename from x-pack/plugins/observability_solution/infra/.storybook/preview.js rename to x-pack/solutions/observability/plugins/infra/.storybook/preview.js diff --git a/x-pack/plugins/observability_solution/infra/README.md b/x-pack/solutions/observability/plugins/infra/README.md similarity index 97% rename from x-pack/plugins/observability_solution/infra/README.md rename to x-pack/solutions/observability/plugins/infra/README.md index 9097faa0aa2b5..b2e994a6cb6b4 100644 --- a/x-pack/plugins/observability_solution/infra/README.md +++ b/x-pack/solutions/observability/plugins/infra/README.md @@ -26,7 +26,7 @@ team as well. ## Contributing Since the `infra` plugin lives within the Kibana repository, [Kibana's -contribution procedures](../../../CONTRIBUTING.md) apply. In addition to that, +contribution procedures](../../../../CONTRIBUTING.md) apply. In addition to that, this section details a few plugin-specific aspects. ### Ingesting metrics for development @@ -118,7 +118,7 @@ life-cycle of a PR looks like the following: There are always exceptions to the rule, so seeking guidance about any of the steps is highly recommended. -[Kibana's contribution procedures]: ../../../../CONTRIBUTING.md +[Kibana's contribution procedures]: ../../../../../CONTRIBUTING.md [Infrastructure forum]: https://discuss.elastic.co/c/infrastructure [Logs forum]: https://discuss.elastic.co/c/logs [ECS]: https://github.com/elastic/ecs/ diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/index.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/index.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/query_helpers.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/query_helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/query_helpers.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/query_helpers.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/types.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/types.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/alert_link.test.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/alert_link.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/alert_link.test.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/alert_link.test.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/alert_link.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/alert_link.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/alert_link.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/alert_link.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/index.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/index.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/metric_value_formatter.test.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/metric_value_formatter.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/metric_value_formatter.test.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/metric_value_formatter.test.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/metric_value_formatter.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/metric_value_formatter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/metric_value_formatter.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/metric_value_formatter.ts diff --git a/x-pack/plugins/observability_solution/infra/common/alerting/metrics/types.ts b/x-pack/solutions/observability/plugins/infra/common/alerting/metrics/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/alerting/metrics/types.ts rename to x-pack/solutions/observability/plugins/infra/common/alerting/metrics/types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/color_palette.test.ts b/x-pack/solutions/observability/plugins/infra/common/color_palette.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/color_palette.test.ts rename to x-pack/solutions/observability/plugins/infra/common/color_palette.test.ts diff --git a/x-pack/plugins/observability_solution/infra/common/color_palette.ts b/x-pack/solutions/observability/plugins/infra/common/color_palette.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/color_palette.ts rename to x-pack/solutions/observability/plugins/infra/common/color_palette.ts diff --git a/x-pack/plugins/observability_solution/infra/common/constants.ts b/x-pack/solutions/observability/plugins/infra/common/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/constants.ts rename to x-pack/solutions/observability/plugins/infra/common/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/common/custom_dashboards.ts b/x-pack/solutions/observability/plugins/infra/common/custom_dashboards.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/custom_dashboards.ts rename to x-pack/solutions/observability/plugins/infra/common/custom_dashboards.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/alert_link.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/alert_link.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/alert_link.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/alert_link.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/bytes.test.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/bytes.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/bytes.test.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/bytes.test.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/bytes.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/bytes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/bytes.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/bytes.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/formatters/datetime.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/datetime.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/formatters/datetime.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/datetime.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/get_custom_metric_label.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/get_custom_metric_label.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/get_custom_metric_label.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/get_custom_metric_label.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/high_precision.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/high_precision.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/high_precision.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/high_precision.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/index.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/index.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/number.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/number.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/number.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/number.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/percent.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/percent.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/percent.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/percent.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/snapshot_metric_formats.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/snapshot_metric_formats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/snapshot_metric_formats.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/snapshot_metric_formats.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/telemetry_time_range.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/telemetry_time_range.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/telemetry_time_range.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/telemetry_time_range.ts diff --git a/x-pack/plugins/observability_solution/infra/common/formatters/types.ts b/x-pack/solutions/observability/plugins/infra/common/formatters/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/formatters/types.ts rename to x-pack/solutions/observability/plugins/infra/common/formatters/types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/asset_count_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/asset_count_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/asset_count_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/asset_count_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/custom_dashboards_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/custom_dashboards_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/custom_dashboards_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/custom_dashboards_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/host_details/get_infra_services.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/host_details/get_infra_services.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/host_details/get_infra_services.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/host_details/get_infra_services.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/host_details/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/host_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/host_details/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/host_details/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/host_details/process_list.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/host_details/process_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/host_details/process_list.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/host_details/process_list.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra/get_infra_metrics.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra/get_infra_metrics.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra/get_infra_metrics.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra/get_infra_metrics.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/common.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/common.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/common.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/metrics_hosts_anomalies.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/metrics_hosts_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/metrics_hosts_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/metrics_hosts_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/metrics_k8s_anomalies.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/metrics_k8s_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/infra_ml/results/metrics_k8s_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/infra_ml/results/metrics_k8s_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_meta_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_meta_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_meta_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_meta_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/common.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/common.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/common.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/create_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/create_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/create_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/create_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/find_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/find_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/find_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/find_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/get_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/get_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/get_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/get_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/update_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/update_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/inventory_views/v1/update_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/inventory_views/v1/update_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/ip_to_hostname/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/ip_to_hostname/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/ip_to_hostname/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/ip_to_hostname/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/latest.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/latest.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/latest.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/latest.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/v1/chart_preview_data.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/chart_preview_data.ts similarity index 91% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/v1/chart_preview_data.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/chart_preview_data.ts index 190c43a98e623..2f46e210f07e0 100644 --- a/x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/v1/chart_preview_data.ts +++ b/x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/chart_preview_data.ts @@ -52,9 +52,9 @@ export type GetLogAlertsChartPreviewDataSuccessResponsePayload = rt.TypeOf< // // If it's removed before then you get: // -// x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/chart_preview_data.ts:44:14 - error TS4023: +// x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/chart_preview_data.ts:44:14 - error TS4023: // Exported variable 'getLogAlertsChartPreviewDataAlertParamsSubsetRT' has or is using name 'Comparator' -// from external module "/Users/smith/Code/kibana/x-pack/plugins/observability_solution/infra/common/alerting/logs/log_threshold/types" +// from external module "/Users/smith/Code/kibana/x-pack/solutions/observability/plugins/infra/common/alerting/logs/log_threshold/types" // but cannot be named. // export const getLogAlertsChartPreviewDataAlertParamsSubsetRT: any = rt.intersection([ diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/v1/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_alerts/v1/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_alerts/v1/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/id_formats/v1/id_formats.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/id_formats/v1/id_formats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/id_formats/v1/id_formats.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/id_formats/v1/id_formats.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies_datasets.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies_datasets.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_anomalies_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_categories.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_categories.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_categories.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_categories.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets_stats.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets_stats.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_datasets_stats.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_examples.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_category_examples.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_category_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/results/v1/log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/results/v1/log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/datasets.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/datasets.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/log_entry_rate_indices.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/log_entry_rate_indices.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/log_analysis/validation/v1/log_entry_rate_indices.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/log_analysis/validation/v1/log_entry_rate_indices.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metadata_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metadata_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metadata_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metadata_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/common.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/common.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/common.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/create_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/create_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/create_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/create_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/find_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/find_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/find_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/find_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/get_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/get_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/get_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/get_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/update_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/update_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/metrics_explorer_views/v1/update_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/metrics_explorer_views/v1/update_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/node_details_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/node_details_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/node_details_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/node_details_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/overview_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/overview_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/overview_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/overview_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/profiling_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/profiling_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/profiling_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/profiling_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/asset_type.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/asset_type.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/asset_type.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/asset_type.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/errors.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/errors.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/es_request.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/es_request.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/es_request.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/es_request.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/index.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/index.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/metric_statistics.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/metric_statistics.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/metric_statistics.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/metric_statistics.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/time_range.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/time_range.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/time_range.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/time_range.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/shared/timing.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/shared/timing.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/shared/timing.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/shared/timing.ts diff --git a/x-pack/plugins/observability_solution/infra/common/http_api/snapshot_api.ts b/x-pack/solutions/observability/plugins/infra/common/http_api/snapshot_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/http_api/snapshot_api.ts rename to x-pack/solutions/observability/plugins/infra/common/http_api/snapshot_api.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/anomaly_results.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/anomaly_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/anomaly_results.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/anomaly_results.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/index.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/index.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/infra_ml.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/infra_ml.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/infra_ml.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/infra_ml.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/job_parameters.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/job_parameters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/job_parameters.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/job_parameters.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/metrics_hosts_ml.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/metrics_hosts_ml.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/metrics_hosts_ml.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/metrics_hosts_ml.ts diff --git a/x-pack/plugins/observability_solution/infra/common/infra_ml/metrics_k8s_ml.ts b/x-pack/solutions/observability/plugins/infra/common/infra_ml/metrics_k8s_ml.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/infra_ml/metrics_k8s_ml.ts rename to x-pack/solutions/observability/plugins/infra/common/infra_ml/metrics_k8s_ml.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_models/intl_strings.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_models/intl_strings.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_models/intl_strings.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_models/intl_strings.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_views/defaults.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_views/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_views/defaults.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_views/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_views/errors.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_views/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_views/errors.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_views/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_views/index.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_views/index.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_views/inventory_view.mock.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_views/inventory_view.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_views/inventory_view.mock.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_views/inventory_view.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/common/inventory_views/types.ts b/x-pack/solutions/observability/plugins/infra/common/inventory_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/inventory_views/types.ts rename to x-pack/solutions/observability/plugins/infra/common/inventory_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/index.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/index.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/job_parameters.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/job_parameters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/job_parameters.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/job_parameters.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis_quality.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis_quality.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis_quality.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis_quality.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis_results.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_analysis_results.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_analysis_results.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_categories_analysis.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_categories_analysis.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_categories_analysis.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_categories_analysis.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_rate_analysis.ts b/x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_rate_analysis.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_analysis/log_entry_rate_analysis.ts rename to x-pack/solutions/observability/plugins/infra/common/log_analysis/log_entry_rate_analysis.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_search_result/index.ts b/x-pack/solutions/observability/plugins/infra/common/log_search_result/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_search_result/index.ts rename to x-pack/solutions/observability/plugins/infra/common/log_search_result/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_search_result/log_search_result.ts b/x-pack/solutions/observability/plugins/infra/common/log_search_result/log_search_result.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_search_result/log_search_result.ts rename to x-pack/solutions/observability/plugins/infra/common/log_search_result/log_search_result.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_search_summary/index.ts b/x-pack/solutions/observability/plugins/infra/common/log_search_summary/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_search_summary/index.ts rename to x-pack/solutions/observability/plugins/infra/common/log_search_summary/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/log_search_summary/log_search_summary.ts b/x-pack/solutions/observability/plugins/infra/common/log_search_summary/log_search_summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/log_search_summary/log_search_summary.ts rename to x-pack/solutions/observability/plugins/infra/common/log_search_summary/log_search_summary.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_text_scale/index.ts b/x-pack/solutions/observability/plugins/infra/common/log_text_scale/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_text_scale/index.ts rename to x-pack/solutions/observability/plugins/infra/common/log_text_scale/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/log_text_scale/log_text_scale.ts b/x-pack/solutions/observability/plugins/infra/common/log_text_scale/log_text_scale.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/log_text_scale/log_text_scale.ts rename to x-pack/solutions/observability/plugins/infra/common/log_text_scale/log_text_scale.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/defaults.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/defaults.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/errors.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/errors.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/index.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/index.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/metrics_explorer_view.mock.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/metrics_explorer_view.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/metrics_explorer_view.mock.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/metrics_explorer_view.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/types.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_explorer_views/types.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_explorer_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_sources/get_has_data.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_sources/get_has_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_sources/get_has_data.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_sources/get_has_data.ts diff --git a/x-pack/plugins/observability_solution/infra/common/metrics_sources/index.ts b/x-pack/solutions/observability/plugins/infra/common/metrics_sources/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/metrics_sources/index.ts rename to x-pack/solutions/observability/plugins/infra/common/metrics_sources/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/performance_tracing.ts b/x-pack/solutions/observability/plugins/infra/common/performance_tracing.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/performance_tracing.ts rename to x-pack/solutions/observability/plugins/infra/common/performance_tracing.ts diff --git a/x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts b/x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts rename to x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/saved_views/index.ts b/x-pack/solutions/observability/plugins/infra/common/saved_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/saved_views/index.ts rename to x-pack/solutions/observability/plugins/infra/common/saved_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/saved_views/types.ts b/x-pack/solutions/observability/plugins/infra/common/saved_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/saved_views/types.ts rename to x-pack/solutions/observability/plugins/infra/common/saved_views/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/search_strategies/common/errors.ts b/x-pack/solutions/observability/plugins/infra/common/search_strategies/common/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/search_strategies/common/errors.ts rename to x-pack/solutions/observability/plugins/infra/common/search_strategies/common/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/common/search_strategies/log_entries/log_entries.ts b/x-pack/solutions/observability/plugins/infra/common/search_strategies/log_entries/log_entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/search_strategies/log_entries/log_entries.ts rename to x-pack/solutions/observability/plugins/infra/common/search_strategies/log_entries/log_entries.ts diff --git a/x-pack/plugins/observability_solution/infra/common/search_strategies/log_entries/log_entry.ts b/x-pack/solutions/observability/plugins/infra/common/search_strategies/log_entries/log_entry.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/search_strategies/log_entries/log_entry.ts rename to x-pack/solutions/observability/plugins/infra/common/search_strategies/log_entries/log_entry.ts diff --git a/x-pack/plugins/observability_solution/infra/common/snapshot_metric_i18n.ts b/x-pack/solutions/observability/plugins/infra/common/snapshot_metric_i18n.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/snapshot_metric_i18n.ts rename to x-pack/solutions/observability/plugins/infra/common/snapshot_metric_i18n.ts diff --git a/x-pack/plugins/observability_solution/infra/common/source_configuration/defaults.ts b/x-pack/solutions/observability/plugins/infra/common/source_configuration/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/source_configuration/defaults.ts rename to x-pack/solutions/observability/plugins/infra/common/source_configuration/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/common/source_configuration/source_configuration.ts b/x-pack/solutions/observability/plugins/infra/common/source_configuration/source_configuration.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/source_configuration/source_configuration.ts rename to x-pack/solutions/observability/plugins/infra/common/source_configuration/source_configuration.ts diff --git a/x-pack/plugins/observability_solution/infra/common/time/index.ts b/x-pack/solutions/observability/plugins/infra/common/time/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/time/index.ts rename to x-pack/solutions/observability/plugins/infra/common/time/index.ts diff --git a/x-pack/plugins/observability_solution/infra/common/time/time_key.ts b/x-pack/solutions/observability/plugins/infra/common/time/time_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/time/time_key.ts rename to x-pack/solutions/observability/plugins/infra/common/time/time_key.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/locators/time_range.ts b/x-pack/solutions/observability/plugins/infra/common/time/time_range.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/locators/time_range.ts rename to x-pack/solutions/observability/plugins/infra/common/time/time_range.ts diff --git a/x-pack/plugins/observability_solution/infra/common/time/time_scale.ts b/x-pack/solutions/observability/plugins/infra/common/time/time_scale.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/time/time_scale.ts rename to x-pack/solutions/observability/plugins/infra/common/time/time_scale.ts diff --git a/x-pack/plugins/observability_solution/infra/common/time/time_unit.ts b/x-pack/solutions/observability/plugins/infra/common/time/time_unit.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/time/time_unit.ts rename to x-pack/solutions/observability/plugins/infra/common/time/time_unit.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/common/typed_json.ts b/x-pack/solutions/observability/plugins/infra/common/typed_json.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/common/typed_json.ts rename to x-pack/solutions/observability/plugins/infra/common/typed_json.ts diff --git a/x-pack/plugins/observability_solution/infra/common/url_state_storage_service.ts b/x-pack/solutions/observability/plugins/infra/common/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/url_state_storage_service.ts rename to x-pack/solutions/observability/plugins/infra/common/url_state_storage_service.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utility_types.ts b/x-pack/solutions/observability/plugins/infra/common/utility_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utility_types.ts rename to x-pack/solutions/observability/plugins/infra/common/utility_types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utils/corrected_percent_convert.test.ts b/x-pack/solutions/observability/plugins/infra/common/utils/corrected_percent_convert.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utils/corrected_percent_convert.test.ts rename to x-pack/solutions/observability/plugins/infra/common/utils/corrected_percent_convert.test.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utils/corrected_percent_convert.ts b/x-pack/solutions/observability/plugins/infra/common/utils/corrected_percent_convert.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utils/corrected_percent_convert.ts rename to x-pack/solutions/observability/plugins/infra/common/utils/corrected_percent_convert.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utils/elasticsearch_runtime_types.ts b/x-pack/solutions/observability/plugins/infra/common/utils/elasticsearch_runtime_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utils/elasticsearch_runtime_types.ts rename to x-pack/solutions/observability/plugins/infra/common/utils/elasticsearch_runtime_types.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utils/get_chart_group_names.ts b/x-pack/solutions/observability/plugins/infra/common/utils/get_chart_group_names.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utils/get_chart_group_names.ts rename to x-pack/solutions/observability/plugins/infra/common/utils/get_chart_group_names.ts diff --git a/x-pack/plugins/observability_solution/infra/common/utils/get_interval_in_seconds.ts b/x-pack/solutions/observability/plugins/infra/common/utils/get_interval_in_seconds.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/common/utils/get_interval_in_seconds.ts rename to x-pack/solutions/observability/plugins/infra/common/utils/get_interval_in_seconds.ts diff --git a/x-pack/plugins/observability_solution/infra/docs/assets/infra_metricbeat_aws.jpg b/x-pack/solutions/observability/plugins/infra/docs/assets/infra_metricbeat_aws.jpg similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/assets/infra_metricbeat_aws.jpg rename to x-pack/solutions/observability/plugins/infra/docs/assets/infra_metricbeat_aws.jpg diff --git a/x-pack/plugins/observability_solution/infra/docs/state_machines/README.md b/x-pack/solutions/observability/plugins/infra/docs/state_machines/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/state_machines/README.md rename to x-pack/solutions/observability/plugins/infra/docs/state_machines/README.md diff --git a/x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_machine_patterns.md b/x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_machine_patterns.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_machine_patterns.md rename to x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_machine_patterns.md diff --git a/x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_react_patterns.md b/x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_react_patterns.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_react_patterns.md rename to x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_react_patterns.md diff --git a/x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_url_patterns_and_precedence.md b/x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_url_patterns_and_precedence.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/state_machines/xstate_url_patterns_and_precedence.md rename to x-pack/solutions/observability/plugins/infra/docs/state_machines/xstate_url_patterns_and_precedence.md diff --git a/x-pack/plugins/observability_solution/infra/docs/telemetry/README.md b/x-pack/solutions/observability/plugins/infra/docs/telemetry/README.md similarity index 76% rename from x-pack/plugins/observability_solution/infra/docs/telemetry/README.md rename to x-pack/solutions/observability/plugins/infra/docs/telemetry/README.md index ed0ed7e2464e7..55c8c5aeecee6 100644 --- a/x-pack/plugins/observability_solution/infra/docs/telemetry/README.md +++ b/x-pack/solutions/observability/plugins/infra/docs/telemetry/README.md @@ -2,7 +2,7 @@ Welcome to the documentation on implementing custom Telemetry events using the TelemetryService. Tracking Telemetry events is part of our workflow for better understanding what users like the most and constantly improving the Observability Metrics and Logs. -Custom events provide a flexible way to track specific user behaviors and application events. By using the [`TelemetryService`](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/infra/public/services/telemetry), you can easily create and track custom events, allowing you to gain valuable insights into how your application is being used. +Custom events provide a flexible way to track specific user behaviors and application events. By using the [`TelemetryService`](https://github.com/elastic/kibana/tree/main/x-pack/solutions/observability/plugins/infra/public/services/telemetry), you can easily create and track custom events, allowing you to gain valuable insights into how your application is being used. In this documentation, we will see how to implement custom events and how to trigger them while working with React. diff --git a/x-pack/plugins/observability_solution/infra/docs/telemetry/define_custom_events.md b/x-pack/solutions/observability/plugins/infra/docs/telemetry/define_custom_events.md similarity index 97% rename from x-pack/plugins/observability_solution/infra/docs/telemetry/define_custom_events.md rename to x-pack/solutions/observability/plugins/infra/docs/telemetry/define_custom_events.md index e27ef04617059..cef0c77efb9a3 100644 --- a/x-pack/plugins/observability_solution/infra/docs/telemetry/define_custom_events.md +++ b/x-pack/solutions/observability/plugins/infra/docs/telemetry/define_custom_events.md @@ -15,7 +15,7 @@ export enum InfraTelemetryEventTypes { In this example, we're adding a new event type called `SEARCH_SUBMITTED` with a value `Search Submitted` that will be used for tracking the event. -N.B. Each custom event should also be added to the whitelist defined in the [core analytics package](../../../cloud_integrations/cloud_full_story/server/config.ts) to be tracked correctly. +N.B. Each custom event should also be added to the whitelist defined in the [core analytics package](../../../../cloud_integrations/cloud_full_story/server/config.ts) to be tracked correctly. ## Step 2: Update types and define the event schema diff --git a/x-pack/plugins/observability_solution/infra/docs/telemetry/telemetry_service_overview.md b/x-pack/solutions/observability/plugins/infra/docs/telemetry/telemetry_service_overview.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/telemetry/telemetry_service_overview.md rename to x-pack/solutions/observability/plugins/infra/docs/telemetry/telemetry_service_overview.md diff --git a/x-pack/plugins/observability_solution/infra/docs/telemetry/trigger_custom_events_examples.md b/x-pack/solutions/observability/plugins/infra/docs/telemetry/trigger_custom_events_examples.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/telemetry/trigger_custom_events_examples.md rename to x-pack/solutions/observability/plugins/infra/docs/telemetry/trigger_custom_events_examples.md diff --git a/x-pack/plugins/observability_solution/infra/docs/test_setups/infra_metricbeat_aws.md b/x-pack/solutions/observability/plugins/infra/docs/test_setups/infra_metricbeat_aws.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/test_setups/infra_metricbeat_aws.md rename to x-pack/solutions/observability/plugins/infra/docs/test_setups/infra_metricbeat_aws.md diff --git a/x-pack/plugins/observability_solution/infra/docs/test_setups/infra_metricbeat_docker_nginx.md b/x-pack/solutions/observability/plugins/infra/docs/test_setups/infra_metricbeat_docker_nginx.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/docs/test_setups/infra_metricbeat_docker_nginx.md rename to x-pack/solutions/observability/plugins/infra/docs/test_setups/infra_metricbeat_docker_nginx.md diff --git a/x-pack/plugins/observability_solution/dataset_quality/jest.config.js b/x-pack/solutions/observability/plugins/infra/jest.config.js similarity index 56% rename from x-pack/plugins/observability_solution/dataset_quality/jest.config.js rename to x-pack/solutions/observability/plugins/infra/jest.config.js index 23ec1505b0f89..6940a611ef766 100644 --- a/x-pack/plugins/observability_solution/dataset_quality/jest.config.js +++ b/x-pack/solutions/observability/plugins/infra/jest.config.js @@ -7,12 +7,12 @@ module.exports = { preset: '@kbn/test', - rootDir: '../../../..', - roots: ['/x-pack/plugins/observability_solution/dataset_quality'], + rootDir: '../../../../..', + roots: ['/x-pack/solutions/observability/plugins/infra'], coverageDirectory: - '/target/kibana-coverage/jest/x-pack/plugins/observability_solution/dataset_quality', + '/target/kibana-coverage/jest/x-pack/solutions/observability/plugins/infra', coverageReporters: ['text', 'html'], collectCoverageFrom: [ - '/x-pack/plugins/observability_solution/dataset_quality/{common,public}/**/*.{ts,tsx}', + '/x-pack/solutions/observability/plugins/infra/{common,public,server}/**/*.{ts,tsx}', ], }; diff --git a/x-pack/plugins/observability_solution/infra/kibana.jsonc b/x-pack/solutions/observability/plugins/infra/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/infra/kibana.jsonc rename to x-pack/solutions/observability/plugins/infra/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/infra/public/__snapshots__/metrics_overview_fetchers.test.ts.snap b/x-pack/solutions/observability/plugins/infra/public/__snapshots__/metrics_overview_fetchers.test.ts.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/__snapshots__/metrics_overview_fetchers.test.ts.snap rename to x-pack/solutions/observability/plugins/infra/public/__snapshots__/metrics_overview_fetchers.test.ts.snap diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/components/metrics_alert_dropdown.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/components/metrics_alert_dropdown.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/components/metrics_alert_dropdown.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/components/metrics_alert_dropdown.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/components/threshold.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/components/threshold.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/criterion_preview_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/criterion_preview_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/criterion_preview_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/criterion_preview_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/criterion_preview_chart/threshold_annotations.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/group_by_expression/group_by_expression.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/group_by_expression/group_by_expression.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/group_by_expression/group_by_expression.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/common/group_by_expression/selector.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/common/group_by_expression/selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/common/group_by_expression/selector.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/common/group_by_expression/selector.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/custom_threshold/components/alert_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/custom_threshold/components/alert_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/custom_threshold/components/alert_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/custom_threshold/components/alert_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/custom_threshold/index.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/custom_threshold/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/custom_threshold/index.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/custom_threshold/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/alert_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/alert_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/alert_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/alert_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/expression_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/expression_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/manage_alerts_context_menu_item.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/manage_alerts_context_menu_item.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/manage_alerts_context_menu_item.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/manage_alerts_context_menu_item.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/metric.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/metric.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/metric.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/metric.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/node_type.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/node_type.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/node_type.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/node_type.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/validation.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/validation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/components/validation.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/components/validation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/hooks/use_inventory_alert_prefill.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/hooks/use_inventory_alert_prefill.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/hooks/use_inventory_alert_prefill.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/hooks/use_inventory_alert_prefill.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/index.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/index.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/inventory/rule_data_formatters.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/inventory/rule_data_formatters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/inventory/rule_data_formatters.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/inventory/rule_data_formatters.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/alert_annotation.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/alert_annotation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/alert_annotation.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/alert_annotation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/log_rate_analysis.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/log_rate_analysis.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/log_rate_analysis.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/log_rate_analysis.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/create_lens_definition.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/create_lens_definition.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/create_lens_definition.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/create_lens_definition.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/index.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_count_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_count_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_count_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_count_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_ratio_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_ratio_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_ratio_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/components/threhsold_chart/log_threshold_ratio_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/index.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/log_rate_analysis_query.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/log_rate_analysis_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/log_rate_analysis_query.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/log_rate_analysis_query.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/types.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_details_app_section/types.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_details_app_section/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_dropdown.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_dropdown.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_dropdown.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_dropdown.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/alert_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/alert_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criteria.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criterion_preview_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion_preview_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/criterion_preview_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/criterion_preview_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/editor.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/hooks/use_chart_preview_data.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/hooks/use_chart_preview_data.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/hooks/use_chart_preview_data.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/hooks/use_chart_preview_data.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/index.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/log_view_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/log_view_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/log_view_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/log_view_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/threshold.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/threshold.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/threshold.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/threshold.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/type_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/type_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/expression_editor/type_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/expression_editor/type_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/lazy_alert_dropdown.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/lazy_alert_dropdown.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/components/lazy_alert_dropdown.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/components/lazy_alert_dropdown.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/index.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/index.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/log_threshold_rule_type.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/log_threshold_rule_type.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/log_threshold_rule_type.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/log_threshold_rule_type.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/rule_data_formatters.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/rule_data_formatters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/rule_data_formatters.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/rule_data_formatters.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/validation.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/validation.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/log_threshold/validation.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/log_threshold/validation.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/__snapshots__/alert_details_app_section.test.tsx.snap b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/__snapshots__/alert_details_app_section.test.tsx.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/__snapshots__/alert_details_app_section.test.tsx.snap rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/__snapshots__/alert_details_app_section.test.tsx.snap diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/__snapshots__/expression_row.test.tsx.snap b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/__snapshots__/expression_row.test.tsx.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/__snapshots__/expression_row.test.tsx.snap rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/__snapshots__/expression_row.test.tsx.snap diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_details_app_section.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_details_app_section.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_details_app_section.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_details_app_section.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_details_app_section.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_details_app_section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_details_app_section.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_details_app_section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/alert_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/alert_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/custom_equation_editor.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/index.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_agg.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_agg.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_agg.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_agg.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_count.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_count.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_count.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/metric_row_with_count.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/types.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/custom_equation/types.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/custom_equation/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_chart.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_chart.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_chart.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_chart.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_row.test.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_row.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_row.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_row.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_row.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/expression_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/expression_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/validation.test.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/validation.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/validation.test.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/validation.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/validation.tsx b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/validation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/components/validation.tsx rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/components/validation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/hooks/use_metric_threshold_alert_prefill.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/hooks/use_metric_threshold_alert_prefill.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/hooks/use_metric_threshold_alert_prefill.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/hooks/use_metric_threshold_alert_prefill.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/hooks/use_metrics_explorer_chart_data.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/hooks/use_metrics_explorer_chart_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/hooks/use_metrics_explorer_chart_data.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/hooks/use_metrics_explorer_chart_data.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/i18n_strings.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/i18n_strings.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/i18n_strings.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/i18n_strings.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/index.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/index.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/generate_unique_key.test.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/generate_unique_key.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/generate_unique_key.test.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/generate_unique_key.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/generate_unique_key.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/generate_unique_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/generate_unique_key.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/generate_unique_key.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/transform_metrics_explorer_data.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/transform_metrics_explorer_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/lib/transform_metrics_explorer_data.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/lib/transform_metrics_explorer_data.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/mocks/metric_threshold_rule.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/mocks/metric_threshold_rule.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/mocks/metric_threshold_rule.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/mocks/metric_threshold_rule.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/rule_data_formatters.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/rule_data_formatters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/rule_data_formatters.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/rule_data_formatters.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/types.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/metric_threshold/types.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/metric_threshold/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/alerting/use_alert_prefill.ts b/x-pack/solutions/observability/plugins/infra/public/alerting/use_alert_prefill.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/alerting/use_alert_prefill.ts rename to x-pack/solutions/observability/plugins/infra/public/alerting/use_alert_prefill.ts diff --git a/x-pack/plugins/observability_solution/infra/public/apps/common_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/apps/common_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/apps/common_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/apps/common_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/apps/common_styles.ts b/x-pack/solutions/observability/plugins/infra/public/apps/common_styles.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/apps/common_styles.ts rename to x-pack/solutions/observability/plugins/infra/public/apps/common_styles.ts diff --git a/x-pack/plugins/observability_solution/infra/public/apps/logs_app.tsx b/x-pack/solutions/observability/plugins/infra/public/apps/logs_app.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/apps/logs_app.tsx rename to x-pack/solutions/observability/plugins/infra/public/apps/logs_app.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/apps/metrics_app.tsx b/x-pack/solutions/observability/plugins/infra/public/apps/metrics_app.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/apps/metrics_app.tsx rename to x-pack/solutions/observability/plugins/infra/public/apps/metrics_app.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/common/asset_details_config/asset_details_tabs.tsx b/x-pack/solutions/observability/plugins/infra/public/common/asset_details_config/asset_details_tabs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/common/asset_details_config/asset_details_tabs.tsx rename to x-pack/solutions/observability/plugins/infra/public/common/asset_details_config/asset_details_tabs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/common/inventory/types.ts b/x-pack/solutions/observability/plugins/infra/public/common/inventory/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/common/inventory/types.ts rename to x-pack/solutions/observability/plugins/infra/public/common/inventory/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/common/visualizations/constants.ts b/x-pack/solutions/observability/plugins/infra/public/common/visualizations/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/common/visualizations/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/common/visualizations/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/common/visualizations/index.ts b/x-pack/solutions/observability/plugins/infra/public/common/visualizations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/common/visualizations/index.ts rename to x-pack/solutions/observability/plugins/infra/public/common/visualizations/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/common/visualizations/translations.ts b/x-pack/solutions/observability/plugins/infra/public/common/visualizations/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/common/visualizations/translations.ts rename to x-pack/solutions/observability/plugins/infra/public/common/visualizations/translations.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/alerts.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/alerts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/alerts.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/alerts.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/anomalies.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/anomalies.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/asset_details_props.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/asset_details_props.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/asset_details_props.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/asset_details_props.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/log_entries.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/log_entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/log_entries.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/log_entries.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/metadata.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/metadata.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/metadata.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/metadata.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/processes.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/processes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/processes.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/processes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/snapshot_api.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/snapshot_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/fixtures/snapshot_api.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/fixtures/snapshot_api.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/http.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/http.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/context/http.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/context/http.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/decorator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/decorator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/__stories__/decorator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/__stories__/decorator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/add_metrics_callout/constants.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/add_metrics_callout/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/add_metrics_callout/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/add_metrics_callout/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/add_metrics_callout/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/add_metrics_callout/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/add_metrics_callout/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/add_metrics_callout/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/asset_details.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/asset_details.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/asset_details.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/asset_details.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/asset_details.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/asset_details.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/asset_details.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/asset_details.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart_utils.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart_utils.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart_utils.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart_utils.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart_utils.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart_utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/chart_utils.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/chart_utils.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/docker_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/docker_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/docker_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/docker_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/host_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/host_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/host_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/host_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/kubernetes_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/kubernetes_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/kubernetes_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/kubernetes_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/types.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts/types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/charts_grid/charts_grid.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts_grid/charts_grid.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/charts_grid/charts_grid.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/charts_grid/charts_grid.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/alerts_tooltip_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/alerts_tooltip_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/alerts_tooltip_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/alerts_tooltip_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/expandable_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/expandable_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/expandable_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/expandable_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/container_kpi_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/container_kpi_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/container_kpi_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/container_kpi_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/host_kpi_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/host_kpi_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/host_kpi_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/host_kpi_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/kpi.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/kpi.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/kpis/kpi.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/kpis/kpi.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metadata_error_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metadata_error_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metadata_error_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metadata_error_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metadata_explanation.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metadata_explanation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metadata_explanation.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metadata_explanation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metric_not_available_explanation.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metric_not_available_explanation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/metric_not_available_explanation.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/metric_not_available_explanation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/processes_explanation.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/processes_explanation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/processes_explanation.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/processes_explanation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/section.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/section.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/section_title.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/section_title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/section_title.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/section_title.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/services_tooltip_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/services_tooltip_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/services_tooltip_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/services_tooltip_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/components/top_processes_tooltip.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/top_processes_tooltip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/components/top_processes_tooltip.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/components/top_processes_tooltip.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/constants.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/content/callouts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/callouts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/content/callouts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/callouts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/content/callouts/legacy_metric_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/callouts/legacy_metric_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/content/callouts/legacy_metric_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/callouts/legacy_metric_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/content/content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/content/content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/content/content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/context_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/context_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/context_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/context_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/date_picker/date_picker.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/date_picker/date_picker.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/date_picker/date_picker.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/date_picker/date_picker.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/header/flyout_header.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/header/flyout_header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/header/flyout_header.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/header/flyout_header.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/header/page_title_with_popover.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/header/page_title_with_popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/header/page_title_with_popover.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/header/page_title_with_popover.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_asset_details_render_props.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_asset_details_render_props.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_asset_details_render_props.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_asset_details_render_props.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_asset_details_url_state.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_asset_details_url_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_asset_details_url_state.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_asset_details_url_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_chart_series_color.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_chart_series_color.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_chart_series_color.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_chart_series_color.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_chart_series_color.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_chart_series_color.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_chart_series_color.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_chart_series_color.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_container_metrics_charts.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_container_metrics_charts.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_container_metrics_charts.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_container_metrics_charts.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_container_metrics_charts.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_container_metrics_charts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_container_metrics_charts.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_container_metrics_charts.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_custom_dashboards.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_custom_dashboards.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_custom_dashboards.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_custom_dashboards.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_dashboards_fetcher.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_dashboards_fetcher.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_dashboards_fetcher.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_dashboards_fetcher.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_data_views.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_data_views.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_data_views.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_data_views.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_date_picker.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_date_picker.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_date_picker.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_date_picker.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_entity_summary.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_entity_summary.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_entity_summary.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_entity_summary.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_fetch_custom_dashboards.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_fetch_custom_dashboards.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_fetch_custom_dashboards.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_fetch_custom_dashboards.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_host_metrics_charts.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_host_metrics_charts.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_host_metrics_charts.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_host_metrics_charts.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_host_metrics_charts.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_host_metrics_charts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_host_metrics_charts.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_host_metrics_charts.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_integration_check.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_integration_check.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_integration_check.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_integration_check.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_intersecting_state.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_intersecting_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_intersecting_state.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_intersecting_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_loading_state.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_loading_state.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_loading_state.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_loading_state.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_loading_state.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_loading_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_loading_state.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_loading_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_log_charts.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_log_charts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_log_charts.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_log_charts.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_metadata.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_metadata.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_metadata.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_metadata.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_metadata_state.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_metadata_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_metadata_state.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_metadata_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_page_header.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_page_header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_page_header.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_page_header.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_process_list.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_process_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_process_list.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_process_list.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_profiling_kuery.test.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_profiling_kuery.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_profiling_kuery.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_profiling_kuery.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_profiling_kuery.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_profiling_kuery.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_profiling_kuery.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_profiling_kuery.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_request_observable.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_request_observable.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_request_observable.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_request_observable.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_request_observable.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_request_observable.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_request_observable.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_request_observable.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_saved_objects_permissions.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_saved_objects_permissions.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_saved_objects_permissions.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_saved_objects_permissions.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_tab_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_tab_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/hooks/use_tab_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/hooks/use_tab_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/links/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/links/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_apm_service.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_apm_service.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_apm_service.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_apm_service.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_apm_services.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_apm_services.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_apm_services.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_apm_services.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_node_details.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_node_details.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/links/link_to_node_details.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/links/link_to_node_details.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/anomalies/anomalies.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/anomalies/anomalies.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/anomalies/anomalies.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/anomalies/anomalies.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/common/popover.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/common/popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/common/popover.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/common/popover.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/actions.test.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/actions.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/actions.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/actions.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/edit_dashboard.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/edit_dashboard.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/edit_dashboard.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/edit_dashboard.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/goto_dashboard_link.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/goto_dashboard_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/goto_dashboard_link.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/goto_dashboard_link.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/link_dashboard.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/link_dashboard.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/link_dashboard.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/link_dashboard.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/save_dashboard_modal.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/save_dashboard_modal.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/save_dashboard_modal.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/save_dashboard_modal.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/unlink_dashboard.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/unlink_dashboard.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/actions/unlink_dashboard.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/actions/unlink_dashboard.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/context_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/context_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/context_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/context_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/dashboard_selector.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/dashboard_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/dashboard_selector.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/dashboard_selector.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/dashboards.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/dashboards.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/dashboards.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/dashboards.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/empty_dashboards.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/empty_dashboards.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/empty_dashboards.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/empty_dashboards.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/filter_explanation_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/filter_explanation_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/dashboards/filter_explanation_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/dashboards/filter_explanation_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/logs/logs.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/logs/logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/logs/logs.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/logs/logs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/add_metadata_filter_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/add_metadata_filter_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/add_metadata_filter_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/add_metadata_filter_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/add_pin_to_row.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/add_pin_to_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/add_pin_to_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/add_pin_to_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/build_metadata_filter.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/build_metadata_filter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/build_metadata_filter.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/build_metadata_filter.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.test.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/metadata.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/metadata.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/table.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/table.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/utils.test.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/utils.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/utils.test.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/utils.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/utils.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metadata/utils.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metadata/utils.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/container_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/container_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/container_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/container_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/host_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/host_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/host_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/host_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/metrics_template.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/metrics_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/metrics/metrics_template.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/metrics/metrics_template.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/osquery/osquery.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/osquery/osquery.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/osquery/osquery.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/osquery/osquery.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/alerts/alerts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/alerts/alerts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/alerts/alerts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/alerts/alerts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/alerts/alerts_closed_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/alerts/alerts_closed_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/alerts/alerts_closed_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/alerts/alerts_closed_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/kpis/cpu_profiling_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/kpis/cpu_profiling_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/kpis/cpu_profiling_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/kpis/cpu_profiling_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/kpis/kpi_grid.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/kpis/kpi_grid.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/kpis/kpi_grid.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/kpis/kpi_grid.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/logs.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/logs.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/logs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_header.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_header.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_header.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_summary_list.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_summary_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_summary_list.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metadata_summary/metadata_summary_list.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/container_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/container_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/container_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/container_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/host_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/host_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/host_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/host_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/metrics/metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/metrics/metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/overview.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/overview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/overview.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/overview.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/section_titles.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/section_titles.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/section_titles.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/section_titles.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/services.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/services.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/overview/services.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/overview/services.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/parse_search_string.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/parse_search_string.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/parse_search_string.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/parse_search_string.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/process_row.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/process_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/process_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/process_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/process_row_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/process_row_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/process_row_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/process_row_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes_table.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/processes_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/processes_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/state_badge.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/state_badge.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/state_badge.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/state_badge.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/states.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/states.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/states.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/states.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/summary_table.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/summary_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/summary_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/summary_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/types.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/processes/types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/processes/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/description_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/description_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/description_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/description_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/empty_data_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/empty_data_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/empty_data_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/empty_data_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/error_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/error_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/error_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/error_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/flamegraph.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/flamegraph.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/flamegraph.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/flamegraph.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/functions.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/functions.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/functions.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/functions.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/profiling.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/profiling.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/profiling.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/profiling.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/profiling_links.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/profiling_links.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/profiling_links.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/profiling_links.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/threads.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/threads.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/tabs/profiling/threads.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/tabs/profiling/threads.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/template/flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/template/flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/template/flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/template/flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/template/page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/template/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/template/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/template/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/translations.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/translations.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/translations.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/types.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/utils.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/utils.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/utils.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/asset_details/utils/get_data_stream_types.ts b/x-pack/solutions/observability/plugins/infra/public/components/asset_details/utils/get_data_stream_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/asset_details/utils/get_data_stream_types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/asset_details/utils/get_data_stream_types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/components/auto_sizer.tsx b/x-pack/solutions/observability/plugins/infra/public/components/auto_sizer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/components/auto_sizer.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/auto_sizer.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/autocomplete_field.tsx b/x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/autocomplete_field.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/autocomplete_field.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/autocomplete_field.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/suggestion_item.tsx b/x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/suggestion_item.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/autocomplete_field/suggestion_item.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/autocomplete_field/suggestion_item.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/basic_table/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/basic_table/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/basic_table/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/basic_table/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/basic_table/row_expansion_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/basic_table/row_expansion_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/basic_table/row_expansion_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/basic_table/row_expansion_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/beta_badge.tsx b/x-pack/solutions/observability/plugins/infra/public/components/beta_badge.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/beta_badge.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/beta_badge.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/empty_states/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/empty_states/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/empty_states/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/empty_states/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/empty_states/no_data.tsx b/x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_data.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/empty_states/no_data.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_data.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/empty_states/no_indices.tsx b/x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_indices.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/empty_states/no_indices.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_indices.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/empty_states/no_metric_indices.tsx b/x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_metric_indices.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/empty_states/no_metric_indices.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_metric_indices.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/empty_states/no_remote_cluster.tsx b/x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_remote_cluster.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/empty_states/no_remote_cluster.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/empty_states/no_remote_cluster.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/error_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/error_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/error_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/error_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/error_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/error_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/error_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/error_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/eui/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/eui/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/eui/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/eui/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/eui/toolbar/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/eui/toolbar/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/eui/toolbar/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/eui/toolbar/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/eui/toolbar/toolbar.tsx b/x-pack/solutions/observability/plugins/infra/public/components/eui/toolbar/toolbar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/eui/toolbar/toolbar.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/eui/toolbar/toolbar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/fixed_datepicker.tsx b/x-pack/solutions/observability/plugins/infra/public/components/fixed_datepicker.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/fixed_datepicker.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/fixed_datepicker.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/height_retainer.tsx b/x-pack/solutions/observability/plugins/infra/public/components/height_retainer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/height_retainer.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/height_retainer.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/help_center_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/help_center_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/help_center_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/help_center_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/chart_load_error.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/chart_load_error.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/chart_load_error.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/chart_load_error.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/chart_placeholder.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/chart_placeholder.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/chart_placeholder.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/chart_placeholder.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/lens_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/lens_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/lens_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/lens_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/lens_wrapper.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/lens_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/lens_wrapper.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/lens_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/container_metrics_explanation_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/container_metrics_explanation_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/container_metrics_explanation_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/container_metrics_explanation_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/host_metrics_docs_link.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/host_metrics_docs_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/host_metrics_docs_link.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/host_metrics_docs_link.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/host_metrics_explanation_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/host_metrics_explanation_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/host_metrics_explanation_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/host_metrics_explanation_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/tooltip_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/tooltip_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/metric_explanation/tooltip_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/lens/metric_explanation/tooltip_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/lens/types.ts b/x-pack/solutions/observability/plugins/infra/public/components/lens/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/lens/types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/lens/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/loading/__examples__/index.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/loading/__examples__/index.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/loading/__examples__/index.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/loading/__examples__/index.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/loading/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/loading/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/loading/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/loading/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/loading_overlay_wrapper.tsx b/x-pack/solutions/observability/plugins/infra/public/components/loading_overlay_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/loading_overlay_wrapper.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/loading_overlay_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/loading_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/loading_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/loading_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/loading_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/log_stream/constants.ts b/x-pack/solutions/observability/plugins/infra/public/components/log_stream/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/log_stream/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/components/log_stream/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/log_stream/log_stream_react_embeddable.tsx b/x-pack/solutions/observability/plugins/infra/public/components/log_stream/log_stream_react_embeddable.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/log_stream/log_stream_react_embeddable.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/log_stream/log_stream_react_embeddable.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/log_stream/types.ts b/x-pack/solutions/observability/plugins/infra/public/components/log_stream/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/log_stream/types.ts rename to x-pack/solutions/observability/plugins/infra/public/components/log_stream/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/inline_log_view_splash_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/inline_log_view_splash_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/inline_log_view_splash_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/inline_log_view_splash_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_configuration_outdated_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_configuration_outdated_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_configuration_outdated_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_configuration_outdated_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_definition_outdated_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_definition_outdated_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_definition_outdated_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_definition_outdated_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_stopped_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_stopped_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/job_stopped_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/job_stopped_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/log_analysis_job_problem_indicator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/log_analysis_job_problem_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/log_analysis_job_problem_indicator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/log_analysis_job_problem_indicator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/notices_section.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/notices_section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/notices_section.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/notices_section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/quality_warning_notices.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/recreate_job_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/recreate_job_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_job_status/recreate_job_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_job_status/recreate_job_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/analyze_in_ml_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/analyze_in_ml_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/analyze_in_ml_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/analyze_in_ml_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/anomaly_severity_indicator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/anomaly_severity_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/anomaly_severity_indicator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/anomaly_severity_indicator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/category_expression.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/category_expression.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/category_expression.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/category_expression.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/datasets_selector.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/datasets_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/datasets_selector.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/datasets_selector.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/first_use_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/first_use_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/first_use_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/first_use_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_results/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_results/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/create_job_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/create_job_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/create_job_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/create_job_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_indices_form.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_indices_form.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_indices_form.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_indices_form.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_timerange_form.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_timerange_form.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_timerange_form.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/analysis_setup_timerange_form.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_dataset_filter.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_dataset_filter.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_dataset_filter.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_dataset_filter.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_row.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/index_setup_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/initial_configuration_step.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/validation.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/validation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/initial_configuration_step/validation.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/initial_configuration_step/validation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/manage_jobs_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/manage_jobs_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/manage_jobs_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/manage_jobs_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_privileges_messages.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_privileges_messages.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_privileges_messages.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_privileges_messages.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_results_privileges_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_results_privileges_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_results_privileges_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_results_privileges_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_tooltip.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_tooltip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_tooltip.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/missing_setup_privileges_tooltip.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/ml_unavailable_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/ml_unavailable_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/ml_unavailable_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/ml_unavailable_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/create_ml_jobs_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/create_ml_jobs_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/create_ml_jobs_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/create_ml_jobs_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/process_step.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/process_step.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/process_step.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/process_step.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/recreate_ml_jobs_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/recreate_ml_jobs_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/process_step/recreate_ml_jobs_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/process_step/recreate_ml_jobs_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/index.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_categories_setup_view.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_categories_setup_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_categories_setup_view.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_categories_setup_view.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_rate_setup_view.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_rate_setup_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_rate_setup_view.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/log_entry_rate_setup_view.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/module_list_card.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout_state.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout_state.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_flyout/setup_flyout_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_status_unknown_prompt.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_status_unknown_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/setup_status_unknown_prompt.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/setup_status_unknown_prompt.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/user_management_link.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/user_management_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_analysis_setup/user_management_link.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_analysis_setup/user_management_link.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_customization_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_customization_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_customization_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_customization_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_datepicker.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_datepicker.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_datepicker.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_datepicker.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_empty_indicator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_empty_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_empty_indicator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_empty_indicator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_failure_indicator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_failure_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_failure_indicator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_failure_indicator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_loading_indicator.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_loading_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_entry_examples/log_entry_examples_loading_indicator.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_entry_examples/log_entry_examples_loading_indicator.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_highlights_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_highlights_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_highlights_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_highlights_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/density_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/density_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/density_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/density_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/highlighted_interval.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/highlighted_interval.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/highlighted_interval.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/highlighted_interval.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/log_minimap.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/log_minimap.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/log_minimap.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/log_minimap.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_marker.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_marker.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_marker.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_marker.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_marker_tooltip.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_marker_tooltip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_marker_tooltip.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_marker_tooltip.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_markers.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_markers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/search_markers.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/search_markers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/time_label_formatter.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/time_label_formatter.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/time_label_formatter.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/time_label_formatter.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/time_ruler.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/time_ruler.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_minimap/time_ruler.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_minimap/time_ruler.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/index.ts b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/index.ts rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_buttons.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_buttons.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_buttons.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_buttons.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_input.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_input.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_search_controls/log_search_input.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_search_controls/log_search_input.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_statusbar.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_statusbar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_statusbar.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_statusbar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_text_scale_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_text_scale_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_text_scale_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_text_scale_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logging/log_text_wrap_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logging/log_text_wrap_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logging/log_text_wrap_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logging/log_text_wrap_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/logs_deprecation_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/logs_deprecation_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/logs_deprecation_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/logs_deprecation_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/missing_embeddable_factory_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/missing_embeddable_factory_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/missing_embeddable_factory_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/missing_embeddable_factory_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/annomaly_summary.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/annomaly_summary.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/annomaly_summary.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/annomaly_summary.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/anomalies_table.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/anomalies_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/anomalies_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/anomalies_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/pagination.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/pagination.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomalies_table/pagination.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomalies_table/pagination.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomaly_detection_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomaly_detection_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/anomaly_detection_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/anomaly_detection_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/flyout_home.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/flyout_home.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/flyout_home.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/flyout_home.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/job_setup_screen.tsx b/x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/job_setup_screen.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/ml/anomaly_detection/job_setup_screen.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/ml/anomaly_detection/job_setup_screen.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/page_template.tsx b/x-pack/solutions/observability/plugins/infra/public/components/page_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/page_template.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/page_template.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/saved_views/manage_views_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/components/saved_views/manage_views_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/saved_views/manage_views_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/saved_views/manage_views_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/saved_views/toolbar_control.tsx b/x-pack/solutions/observability/plugins/infra/public/components/saved_views/toolbar_control.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/saved_views/toolbar_control.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/saved_views/toolbar_control.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/saved_views/upsert_modal.tsx b/x-pack/solutions/observability/plugins/infra/public/components/saved_views/upsert_modal.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/saved_views/upsert_modal.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/saved_views/upsert_modal.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/alerts_overview.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/alerts_overview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/alerts_overview.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/alerts_overview.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/alerts_status_filter.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/alerts_status_filter.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/alerts_status_filter.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/alerts_status_filter.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/constants.ts b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/__snapshots__/link_to_alerts_page.test.tsx.snap b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/__snapshots__/link_to_alerts_page.test.tsx.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/__snapshots__/link_to_alerts_page.test.tsx.snap rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/__snapshots__/link_to_alerts_page.test.tsx.snap diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/create_alert_rule_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/create_alert_rule_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/create_alert_rule_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/create_alert_rule_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/link_to_alerts_page.test.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/link_to_alerts_page.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/link_to_alerts_page.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/link_to_alerts_page.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/link_to_alerts_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/link_to_alerts_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/alerts/links/link_to_alerts_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/alerts/links/link_to_alerts_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/templates/infra_page_template.tsx b/x-pack/solutions/observability/plugins/infra/public/components/shared/templates/infra_page_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/templates/infra_page_template.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/shared/templates/infra_page_template.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/shared/templates/no_data_config.ts b/x-pack/solutions/observability/plugins/infra/public/components/shared/templates/no_data_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/shared/templates/no_data_config.ts rename to x-pack/solutions/observability/plugins/infra/public/components/shared/templates/no_data_config.ts diff --git a/x-pack/plugins/observability_solution/infra/public/components/source_configuration/view_source_configuration_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/source_configuration/view_source_configuration_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/source_configuration/view_source_configuration_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/source_configuration/view_source_configuration_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/source_error_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/source_error_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/source_error_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/source_error_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/source_loading_page.tsx b/x-pack/solutions/observability/plugins/infra/public/components/source_loading_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/source_loading_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/source_loading_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/subscription_splash_content.tsx b/x-pack/solutions/observability/plugins/infra/public/components/subscription_splash_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/subscription_splash_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/subscription_splash_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/components/try_it_button.tsx b/x-pack/solutions/observability/plugins/infra/public/components/try_it_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/components/try_it_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/components/try_it_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/header_action_menu_provider.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/header_action_menu_provider.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/header_action_menu_provider.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/header_action_menu_provider.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/kbn_url_state_context.ts b/x-pack/solutions/observability/plugins/infra/public/containers/kbn_url_state_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/kbn_url_state_context.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/kbn_url_state_context.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/get_latest_categories_datasets_stats.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/get_latest_categories_datasets_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/get_latest_categories_datasets_stats.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/get_latest_categories_datasets_stats.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_api_types.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_api_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_api_types.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_api_types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_cleanup.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_cleanup.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_cleanup.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_cleanup.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_get_jobs_summary_api.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_get_jobs_summary_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_get_jobs_summary_api.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_get_jobs_summary_api.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_get_module.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_get_module.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_get_module.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_get_module.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_setup_module_api.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_setup_module_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/ml_setup_module_api.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/ml_setup_module_api.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/validate_datasets.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/validate_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/validate_datasets.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/validate_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/validate_indices.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/validate_indices.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/api/validate_indices.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/api/validate_indices.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/index.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/index.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_capabilities.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_capabilities.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_capabilities.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_capabilities.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_cleanup.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_cleanup.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_cleanup.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_cleanup.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_configuration.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_configuration.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_configuration.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_configuration.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_definition.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_definition.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_definition.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_definition.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_status.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_status.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_status.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_types.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_module_types.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_module_types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_setup_state.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_setup_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/log_analysis_setup_state.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/log_analysis_setup_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/index.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/index.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/module_descriptor.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/module_descriptor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/module_descriptor.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/module_descriptor.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_quality.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_quality.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_quality.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_quality.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_setup.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_setup.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_setup.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_categories/use_log_entry_categories_setup.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/index.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/index.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/module_descriptor.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/module_descriptor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/module_descriptor.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/module_descriptor.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_setup.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_setup.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_setup.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_analysis/modules/log_entry_rate/use_log_entry_rate_setup.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_view_configuration.test.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_view_configuration.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_view_configuration.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_view_configuration.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/log_view_configuration.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/log_view_configuration.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/log_view_configuration.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/log_view_configuration.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/view_log_in_context/index.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/view_log_in_context/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/view_log_in_context/index.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/view_log_in_context/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/view_log_in_context/view_log_in_context.ts b/x-pack/solutions/observability/plugins/infra/public/containers/logs/view_log_in_context/view_log_in_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/view_log_in_context/view_log_in_context.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/view_log_in_context/view_log_in_context.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/logs/with_log_textview.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/logs/with_log_textview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/logs/with_log_textview.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/logs/with_log_textview.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.test.ts b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.test.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_explorer/with_metrics_explorer_options_url_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_source/index.ts b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_source/index.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_source/metrics_view.ts b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/metrics_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_source/metrics_view.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/metrics_view.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_source/notifications.ts b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_source/notifications.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/notifications.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_source/source.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/source.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_source/source.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/source.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/metrics_source/source_errors.ts b/x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/source_errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/metrics_source/source_errors.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/metrics_source/source_errors.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_api_types.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_api_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_api_types.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_api_types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_cleanup.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_cleanup.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_cleanup.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_cleanup.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_get_jobs_summary_api.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_get_jobs_summary_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_get_jobs_summary_api.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_get_jobs_summary_api.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_get_module.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_get_module.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_get_module.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_get_module.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_setup_module_api.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_setup_module_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/api/ml_setup_module_api.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/api/ml_setup_module_api.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_capabilities.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_capabilities.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_capabilities.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_capabilities.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_cleanup.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_cleanup.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_cleanup.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_cleanup.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_configuration.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_configuration.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_configuration.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_configuration.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_definition.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_definition.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_definition.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_definition.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_status.test.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_status.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_status.test.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_status.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_status.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_status.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_status.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_types.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/infra_ml_module_types.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/infra_ml_module_types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_hosts/module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_hosts/module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_hosts/module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_hosts/module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_hosts/module_descriptor.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_hosts/module_descriptor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_hosts/module_descriptor.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_hosts/module_descriptor.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_k8s/module.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_k8s/module.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_k8s/module.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_k8s/module.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_k8s/module_descriptor.ts b/x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_k8s/module_descriptor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/ml/modules/metrics_k8s/module_descriptor.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/ml/modules/metrics_k8s/module_descriptor.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/plugin_config_context.test.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/plugin_config_context.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/plugin_config_context.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/plugin_config_context.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/plugin_config_context.ts b/x-pack/solutions/observability/plugins/infra/public/containers/plugin_config_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/plugin_config_context.ts rename to x-pack/solutions/observability/plugins/infra/public/containers/plugin_config_context.ts diff --git a/x-pack/plugins/observability_solution/infra/public/containers/react_query_provider.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/react_query_provider.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/react_query_provider.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/react_query_provider.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/triggers_actions_context.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/triggers_actions_context.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/triggers_actions_context.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/triggers_actions_context.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/containers/with_kuery_autocompletion.tsx b/x-pack/solutions/observability/plugins/infra/public/containers/with_kuery_autocompletion.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/containers/with_kuery_autocompletion.tsx rename to x-pack/solutions/observability/plugins/infra/public/containers/with_kuery_autocompletion.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_alerts_count.test.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_alerts_count.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_alerts_count.test.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_alerts_count.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_alerts_count.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_alerts_count.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_alerts_count.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_alerts_count.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_chart_themes.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_chart_themes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_chart_themes.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_chart_themes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_document_title.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_document_title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_document_title.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_document_title.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_entity_centric_experience_setting.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_entity_centric_experience_setting.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_entity_centric_experience_setting.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_entity_centric_experience_setting.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_fetcher.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_fetcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_fetcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_fetcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_inventory_views.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_inventory_views.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_inventory_views.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_inventory_views.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_is_dark_mode.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_is_dark_mode.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_is_dark_mode.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_is_dark_mode.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_index_patterns.mock.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_index_patterns.mock.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_index_patterns.mock.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_index_patterns.mock.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_index_patterns.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_index_patterns.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_index_patterns.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_index_patterns.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_space.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_space.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_space.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_space.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_time_zone_setting.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_time_zone_setting.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_time_zone_setting.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_time_zone_setting.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_timefilter_time.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_timefilter_time.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_kibana_timefilter_time.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_timefilter_time.tsx diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_kibana_ui_setting.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_ui_setting.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_kibana_ui_setting.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_kibana_ui_setting.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_lazy_ref.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_lazy_ref.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_lazy_ref.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_lazy_ref.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_lens_attributes.test.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_lens_attributes.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_lens_attributes.test.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_lens_attributes.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_lens_attributes.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_lens_attributes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_lens_attributes.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_lens_attributes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_license.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_license.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_license.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_license.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_log_view_reference.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_log_view_reference.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_log_view_reference.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_log_view_reference.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_logs_breadcrumbs.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_logs_breadcrumbs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_logs_breadcrumbs.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_logs_breadcrumbs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_metrics_breadcrumbs.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_metrics_breadcrumbs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_metrics_breadcrumbs.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_metrics_breadcrumbs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_metrics_explorer_views.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_metrics_explorer_views.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_metrics_explorer_views.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_metrics_explorer_views.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_observable.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_observable.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_observable.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_observable.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_parent_breadcrumb_resolver.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_parent_breadcrumb_resolver.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_parent_breadcrumb_resolver.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_parent_breadcrumb_resolver.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_profiling_integration_setting.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_profiling_integration_setting.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_profiling_integration_setting.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_profiling_integration_setting.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_readonly_badge.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_readonly_badge.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_readonly_badge.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_readonly_badge.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_saved_views_notifier.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_saved_views_notifier.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_saved_views_notifier.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_saved_views_notifier.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_search_session.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_search_session.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_search_session.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_search_session.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_sorting.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_sorting.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_sorting.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_sorting.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_time_range.test.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_time_range.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_time_range.test.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_time_range.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_time_range.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_time_range.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_time_range.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_time_range.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_timeline_chart_theme.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_timeline_chart_theme.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_timeline_chart_theme.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_timeline_chart_theme.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_tracked_promise.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_tracked_promise.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_tracked_promise.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_tracked_promise.ts diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_trial_status.tsx b/x-pack/solutions/observability/plugins/infra/public/hooks/use_trial_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_trial_status.tsx rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_trial_status.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/hooks/use_viewport_dimensions.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_viewport_dimensions.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/hooks/use_viewport_dimensions.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_viewport_dimensions.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/use_visibility_state.ts b/x-pack/solutions/observability/plugins/infra/public/hooks/use_visibility_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/use_visibility_state.ts rename to x-pack/solutions/observability/plugins/infra/public/hooks/use_visibility_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/images/docker.svg b/x-pack/solutions/observability/plugins/infra/public/images/docker.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/docker.svg rename to x-pack/solutions/observability/plugins/infra/public/images/docker.svg diff --git a/x-pack/plugins/observability_solution/infra/public/images/hosts.svg b/x-pack/solutions/observability/plugins/infra/public/images/hosts.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/hosts.svg rename to x-pack/solutions/observability/plugins/infra/public/images/hosts.svg diff --git a/x-pack/plugins/observability_solution/infra/public/images/infra_mono_white.svg b/x-pack/solutions/observability/plugins/infra/public/images/infra_mono_white.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/infra_mono_white.svg rename to x-pack/solutions/observability/plugins/infra/public/images/infra_mono_white.svg diff --git a/x-pack/plugins/observability_solution/infra/public/images/k8.svg b/x-pack/solutions/observability/plugins/infra/public/images/k8.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/k8.svg rename to x-pack/solutions/observability/plugins/infra/public/images/k8.svg diff --git a/x-pack/plugins/observability_solution/infra/public/images/logging_mono_white.svg b/x-pack/solutions/observability/plugins/infra/public/images/logging_mono_white.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/logging_mono_white.svg rename to x-pack/solutions/observability/plugins/infra/public/images/logging_mono_white.svg diff --git a/x-pack/plugins/observability_solution/infra/public/images/services.svg b/x-pack/solutions/observability/plugins/infra/public/images/services.svg similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/images/services.svg rename to x-pack/solutions/observability/plugins/infra/public/images/services.svg diff --git a/x-pack/plugins/observability_solution/infra/public/index.ts b/x-pack/solutions/observability/plugins/infra/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/index.ts rename to x-pack/solutions/observability/plugins/infra/public/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/metrics_overview_fetchers.test.ts b/x-pack/solutions/observability/plugins/infra/public/metrics_overview_fetchers.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/metrics_overview_fetchers.test.ts rename to x-pack/solutions/observability/plugins/infra/public/metrics_overview_fetchers.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/metrics_overview_fetchers.ts b/x-pack/solutions/observability/plugins/infra/public/metrics_overview_fetchers.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/metrics_overview_fetchers.ts rename to x-pack/solutions/observability/plugins/infra/public/metrics_overview_fetchers.ts diff --git a/x-pack/plugins/observability_solution/infra/public/mocks.tsx b/x-pack/solutions/observability/plugins/infra/public/mocks.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/mocks.tsx rename to x-pack/solutions/observability/plugins/infra/public/mocks.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/README.md b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/README.md rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/README.md diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/initial_parameters_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/initial_parameters_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/initial_parameters_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/initial_parameters_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/provider.tsx b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/provider.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/provider.tsx rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/provider.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/selectors.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/selectors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/selectors.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/selectors.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/state_machine.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/state_machine.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/types.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_page/state/src/types.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_page/state/src/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/defaults.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/defaults.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/notifications.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/notifications.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/notifications.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/state_machine.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/state_machine.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/types.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/types.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/url_state_storage_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_position_state/src/url_state_storage_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_position_state/src/url_state_storage_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/defaults.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/defaults.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/errors.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/errors.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/notifications.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/notifications.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/notifications.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/search_bar_state_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/search_bar_state_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/search_bar_state_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/search_bar_state_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/state_machine.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/state_machine.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/time_filter_state_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/time_filter_state_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/time_filter_state_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/time_filter_state_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/types.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/types.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/url_state_storage_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/url_state_storage_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/url_state_storage_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/validate_query_service.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/validate_query_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/log_stream_query_state/src/validate_query_service.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/log_stream_query_state/src/validate_query_service.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/README.md b/x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/README.md similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/README.md rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/README.md diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/index.ts b/x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/index.ts rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/invalid_state_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/invalid_state_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/invalid_state_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/invalid_state_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/state_machine_playground.tsx b/x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/state_machine_playground.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/observability_logs/xstate_helpers/src/state_machine_playground.tsx rename to x-pack/solutions/observability/plugins/infra/public/observability_logs/xstate_helpers/src/state_machine_playground.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/page_template.styles.ts b/x-pack/solutions/observability/plugins/infra/public/page_template.styles.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/page_template.styles.ts rename to x-pack/solutions/observability/plugins/infra/public/page_template.styles.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/404.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/404.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/404.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/404.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/error.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/error.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/error.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/error.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/link_to_logs.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/link_to_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/link_to_logs.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/link_to_logs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/link_to_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/link_to_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/link_to_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/link_to_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/query_params.ts b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/query_params.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/query_params.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/query_params.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_host_detail_via_ip.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_host_detail_via_ip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_host_detail_via_ip.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_host_detail_via_ip.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_inventory.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_inventory.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_inventory.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_inventory.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_logs.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_logs.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_logs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_node_detail.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_node_detail.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_node_detail.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_node_detail.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_node_logs.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_node_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/redirect_to_node_logs.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/redirect_to_node_logs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/use_host_ip_to_name.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/use_host_ip_to_name.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/use_host_ip_to_name.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/use_host_ip_to_name.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/link_to/use_host_ip_to_name.ts b/x-pack/solutions/observability/plugins/infra/public/pages/link_to/use_host_ip_to_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/link_to/use_host_ip_to_name.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/link_to/use_host_ip_to_name.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_results_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_results_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_results_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_results_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_setup_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_setup_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/page_setup_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/page_setup_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/analyze_dataset_in_ml_action.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/analyze_dataset_in_ml_action.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/analyze_dataset_in_ml_action.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/analyze_dataset_in_ml_action.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/anomaly_severity_indicator_list.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/anomaly_severity_indicator_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/anomaly_severity_indicator_list.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/anomaly_severity_indicator_list.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_details_row.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_details_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_details_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_details_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_example_message.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_example_message.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_example_message.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/category_example_message.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_action_list.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_action_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_action_list.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_action_list.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_list.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_list.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/datasets_list.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/log_entry_count_sparkline.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/log_entry_count_sparkline.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/log_entry_count_sparkline.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/log_entry_count_sparkline.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_comparison.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_comparison.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_comparison.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_comparison.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_sparkline.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_sparkline.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_sparkline.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/single_metric_sparkline.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_section.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_section.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_table.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/sections/top_categories/top_categories_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_datasets.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_datasets.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_examples.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_examples.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_log_entry_category_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_top_log_entry_categories.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_top_log_entry_categories.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/service_calls/get_top_log_entry_categories.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/service_calls/get_top_log_entry_categories.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results_url_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results_url_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results_url_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_categories_results_url_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_category_examples.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_category_examples.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_categories/use_log_entry_category_examples.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_categories/use_log_entry_category_examples.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_results_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_results_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_results_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_results_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_setup_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_setup_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/page_setup_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/page_setup_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/anomalies_swimlane_visualisation.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/anomalies_swimlane_visualisation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/anomalies_swimlane_visualisation.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/anomalies_swimlane_visualisation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/expanded_row.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/expanded_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/expanded_row.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/expanded_row.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/log_entry_example.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/log_entry_example.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/log_entry_example.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/log_entry_example.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/table.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/sections/anomalies/table.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/sections/anomalies/table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies_datasets.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies_datasets.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_anomalies_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/service_calls/get_log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_dataset_filtering.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_anomalies_results.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_anomalies_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_anomalies_results.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_anomalies_results.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_rate_results_url_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_rate_results_url_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/log_entry_rate/use_log_entry_rate_results_url_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/log_entry_rate/use_log_entry_rate_results_url_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/page_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/page_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/page_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/page_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/page_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/page_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/page_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/page_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/routes.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/routes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/routes.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/routes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/add_log_column_popover.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/add_log_column_popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/add_log_column_popover.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/add_log_column_popover.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/form_elements.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/form_elements.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/form_elements.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/form_elements.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/form_field_props.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/form_field_props.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/form_field_props.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/form_field_props.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_names_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_names_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_names_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_names_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_pattern_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_pattern_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_pattern_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_pattern_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_pattern_selector.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_pattern_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/index_pattern_selector.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/index_pattern_selector.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_form_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_form_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_form_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_form_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_panel.stories.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_panel.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_panel.stories.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_panel.stories.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/indices_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/indices_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/inline_log_view_callout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/inline_log_view_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/inline_log_view_callout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/inline_log_view_callout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/kibana_advanced_setting_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/kibana_advanced_setting_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/kibana_advanced_setting_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/kibana_advanced_setting_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/log_columns_configuration_form_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/log_columns_configuration_form_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/log_columns_configuration_form_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/log_columns_configuration_form_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx similarity index 99% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx index 931219dc0bce4..0b884f5529a66 100644 --- a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx +++ b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/log_columns_configuration_panel.tsx @@ -190,7 +190,7 @@ const TimestampLogColumnConfigurationPanel: React.FunctionComponent< defaultMessage="This system field shows the log entry's time as determined by the {timestampSetting} field setting." values={{ // this is a settings key and should not be translated - // eslint-disable-next-line @kbn/i18n/strings_should_be_translated_with_i18n + timestampSetting: timestamp, }} /> diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/name_configuration_form_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/name_configuration_form_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/name_configuration_form_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/name_configuration_form_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/name_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/name_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/name_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/name_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_form_errors.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_form_errors.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_form_errors.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_form_errors.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_form_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_form_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_form_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_form_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_settings.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_settings.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/source_configuration_settings.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/source_configuration_settings.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/settings/validation_errors.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/validation_errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/settings/validation_errors.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/settings/validation_errors.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/shared/call_get_log_analysis_id_formats.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/call_get_log_analysis_id_formats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/shared/call_get_log_analysis_id_formats.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/call_get_log_analysis_id_formats.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/shared/page_log_view_error.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/page_log_view_error.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/shared/page_log_view_error.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/page_log_view_error.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/shared/page_template.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/page_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/shared/page_template.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/page_template.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/shared/use_log_ml_job_id_formats_shim.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/use_log_ml_job_id_formats_shim.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/shared/use_log_ml_job_id_formats_shim.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/shared/use_log_ml_job_id_formats_shim.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/components/stream_live_button.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/components/stream_live_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/components/stream_live_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/components/stream_live_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/components/stream_page_template.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/components/stream_page_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/components/stream_page_template.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/components/stream_page_template.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_logs_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_logs_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_logs_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_logs_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_missing_indices_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_missing_indices_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_missing_indices_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_missing_indices_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_providers.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_providers.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_providers.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_providers.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_toolbar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_toolbar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_toolbar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_toolbar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_view_log_in_context.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_view_log_in_context.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/logs/stream/page_view_log_in_context.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/logs/stream/page_view_log_in_context.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/chart/metric_chart_wrapper.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/chart/metric_chart_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/chart/metric_chart_wrapper.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/chart/metric_chart_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/common/popover.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/common/popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/common/popover.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/common/popover.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/host_details_flyout/flyout_wrapper.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/host_details_flyout/flyout_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/host_details_flyout/flyout_wrapper.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/host_details_flyout/flyout_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_container.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_container.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_container.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_container.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_table.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/hosts_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/hosts_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/host_count_kpi.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/host_count_kpi.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/host_count_kpi.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/host_count_kpi.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/kpi_charts.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/kpi_charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/kpi_charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/kpi_charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/kpi_grid.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/kpi_grid.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/kpis/kpi_grid.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/kpis/kpi_grid.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/control_panels_config.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/control_panels_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/control_panels_config.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/control_panels_config.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/controls_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/controls_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/controls_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/controls_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/controls_title.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/controls_title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/controls_title.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/controls_title.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/limit_options.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/limit_options.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/limit_options.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/limit_options.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/unified_search_bar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/unified_search_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/search_bar/unified_search_bar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/search_bar/unified_search_bar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/add_data_troubleshooting_popover.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/add_data_troubleshooting_popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/add_data_troubleshooting_popover.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/add_data_troubleshooting_popover.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/column_header.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/column_header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/column_header.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/column_header.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/entry_title.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/entry_title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/entry_title.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/entry_title.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/filter_action.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/filter_action.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/table/filter_action.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/table/filter_action.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts/alerts_tab_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts/alerts_tab_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts/alerts_tab_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts/alerts_tab_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts_tab_badge.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts_tab_badge.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/alerts_tab_badge.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/alerts_tab_badge.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/index.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/index.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_link_to_stream.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_link_to_stream.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_link_to_stream.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_link_to_stream.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_search_bar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_search_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_search_bar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_search_bar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_tab_content.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_tab_content.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/logs/logs_tab_content.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/logs/logs_tab_content.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/metrics/chart.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/metrics/chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/metrics/chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/metrics/chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/metrics/metrics_grid.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/metrics/metrics_grid.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/metrics/metrics_grid.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/metrics/metrics_grid.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/tabs.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/tabs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/components/tabs/tabs.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/components/tabs/tabs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/constants.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/constants.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_after_loaded_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_after_loaded_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_after_loaded_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_after_loaded_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_alerts_query.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_alerts_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_alerts_query.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_alerts_query.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_host_count.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_host_count.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_host_count.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_host_count.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_host_count.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_host_count.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_host_count.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_host_count.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table_url_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table_url_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_table_url_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_table_url_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_view.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_hosts_view.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_hosts_view.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_logs_search_url_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_logs_search_url_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_logs_search_url_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_logs_search_url_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_metrics_charts.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_tab_id.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_tab_id.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_tab_id.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_tab_id.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_unified_search.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_unified_search.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_unified_search.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_unified_search.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_unified_search_url_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_unified_search_url_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/hooks/use_unified_search_url_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/hooks/use_unified_search_url_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/translations.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/translations.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/translations.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/types.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/hosts/types.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/hosts/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/bottom_drawer.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/bottom_drawer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/bottom_drawer.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/bottom_drawer.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/dropdown_button.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/dropdown_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/dropdown_button.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/dropdown_button.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/filter_bar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/filter_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/filter_bar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/filter_bar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/kubernetes_tour.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/kubernetes_tour.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/kubernetes_tour.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/kubernetes_tour.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/layout_view.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/layout_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/layout_view.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/layout_view.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/nodes_overview.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/nodes_overview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/nodes_overview.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/nodes_overview.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/saved_views.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/saved_views.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/saved_views.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/saved_views.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/search_bar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/search_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/search_bar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/search_bar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/snapshot_container.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/snapshot_container.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/snapshot_container.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/snapshot_container.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/survey_kubernetes.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/survey_kubernetes.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/survey_kubernetes.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/survey_kubernetes.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/survey_section.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/survey_section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/survey_section.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/survey_section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/table_view.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/table_view.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/table_view.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/table_view.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/timeline/timeline.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/timeline/timeline.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/timeline/timeline.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/timeline/timeline.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_ec2_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_ec2_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_ec2_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_ec2_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_rds_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_rds_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_rds_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_rds_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_s3_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_s3_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_s3_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_s3_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_sqs_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_sqs_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/aws_sqs_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/aws_sqs_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/cloud_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/cloud_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/cloud_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/cloud_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/container_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/container_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/container_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/container_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/host_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/host_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/host_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/host_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/metrics_and_groupby_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/metrics_and_groupby_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/metrics_and_groupby_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/metrics_and_groupby_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/pod_toolbar_items.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/pod_toolbar_items.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/pod_toolbar_items.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/pod_toolbar_items.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar_wrapper.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar_wrapper.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/toolbar_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/types.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/toolbars/types.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/toolbars/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/__snapshots__/conditional_tooltip.test.tsx.snap b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/__snapshots__/conditional_tooltip.test.tsx.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/__snapshots__/conditional_tooltip.test.tsx.snap rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/__snapshots__/conditional_tooltip.test.tsx.snap diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/asset_details_flyout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/asset_details_flyout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/asset_details_flyout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/asset_details_flyout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/conditional_tooltip.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/custom_field_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/gradient_legend.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/gradient_legend.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/gradient_legend.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/gradient_legend.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_name.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_name.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_name.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_name.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_of_groups.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_of_groups.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_of_groups.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_of_groups.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_of_nodes.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_of_nodes.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/group_of_nodes.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/group_of_nodes.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/interval_label.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/interval_label.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/interval_label.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/interval_label.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/legend.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/legend.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/legend.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/legend.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/legend_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/legend_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/legend_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/legend_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/map.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/map.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/map.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/map.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/custom_metric_form.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_context_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_context_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_context_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_context_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_edit_mode.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_edit_mode.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_edit_mode.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/metrics_edit_mode.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/mode_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/mode_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/mode_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/mode_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/types.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/types.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/metric_control/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node_context_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node_context_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node_context_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node_context_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx similarity index 98% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx index 219200f85ded3..ef6747b059b84 100644 --- a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx +++ b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/node_square.tsx @@ -199,7 +199,7 @@ export const NodeSquare = ({ ) : ( ellipsisMode && ( - {/* eslint-disable-next-line @kbn/i18n/strings_should_be_translated_with_i18n */} + {} ) diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/palette_preview.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/palette_preview.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/palette_preview.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/palette_preview.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/stepped_gradient_legend.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/stepped_gradient_legend.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/stepped_gradient_legend.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/stepped_gradient_legend.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/steps_legend.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/steps_legend.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/steps_legend.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/steps_legend.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/swatch_label.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/swatch_label.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/swatch_label.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/swatch_label.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/view_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/view_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/view_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/view_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_accounts_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_accounts_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_accounts_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_accounts_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_group_by_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_inventory_switcher.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_inventory_switcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_inventory_switcher.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_inventory_switcher.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_region_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_region_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_region_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_region_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_sort_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_sort_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_sort_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_sort_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_time_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_time_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/components/waffle/waffle_time_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/components/waffle/waffle_time_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_asset_details_flyout_url_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_asset_details_flyout_url_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_asset_details_flyout_url_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_asset_details_flyout_url_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_metrics_hosts_anomalies.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_metrics_hosts_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_metrics_hosts_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_metrics_hosts_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_metrics_k8s_anomalies.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_metrics_k8s_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_metrics_k8s_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_metrics_k8s_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_snaphot.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_snaphot.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_snaphot.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_snaphot.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_timeline.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_timeline.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_timeline.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_timeline.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_filters.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_options.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_time.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_time.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_time.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_time.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_view_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_view_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/hooks/use_waffle_view_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/hooks/use_waffle_view_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/apply_wafflemap_layout.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/apply_wafflemap_layout.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/apply_wafflemap_layout.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/apply_wafflemap_layout.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/calculate_bounds_from_nodes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/color_from_value.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/color_from_value.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/color_from_value.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/color_from_value.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/convert_bounds_to_percents.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/convert_bounds_to_percents.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/convert_bounds_to_percents.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/convert_bounds_to_percents.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/create_inventory_metric_formatter.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/create_inventory_metric_formatter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/create_inventory_metric_formatter.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/create_inventory_metric_formatter.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/create_legend.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/create_legend.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/create_legend.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/create_legend.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/field_to_display_name.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/field_to_display_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/field_to_display_name.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/field_to_display_name.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/get_color_palette.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/get_color_palette.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/get_color_palette.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/get_color_palette.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/navigate_to_uptime.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/navigate_to_uptime.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/navigate_to_uptime.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/navigate_to_uptime.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/nodes_to_wafflemap.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/nodes_to_wafflemap.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/nodes_to_wafflemap.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/nodes_to_wafflemap.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/size_of_squares.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/size_of_squares.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/size_of_squares.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/size_of_squares.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/sort_nodes.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/sort_nodes.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/sort_nodes.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/sort_nodes.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/sort_nodes.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/sort_nodes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/sort_nodes.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/sort_nodes.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/type_guards.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/type_guards.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/inventory_view/lib/type_guards.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/inventory_view/lib/type_guards.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/asset_detail_page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/asset_detail_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/asset_detail_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/asset_detail_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/chart_section_vis.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/chart_section_vis.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/chart_section_vis.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/chart_section_vis.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/error_message.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/error_message.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/error_message.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/error_message.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/gauges_section_vis.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/gauges_section_vis.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/gauges_section_vis.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/gauges_section_vis.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/helpers.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/helpers.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/helpers.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/invalid_node.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/invalid_node.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/invalid_node.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/invalid_node.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_ec2_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_ec2_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_ec2_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_ec2_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_rds_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_rds_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_rds_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_rds_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_s3_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_s3_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_s3_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_s3_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_sqs_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_sqs_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/aws_sqs_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/aws_sqs_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/container_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/container_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/container_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/container_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/nginx_layout_sections.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/nginx_layout_sections.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/nginx_layout_sections.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/nginx_layout_sections.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/pod_layout.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/pod_layout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/layouts/pod_layout.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/layouts/pod_layout.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/metadata_details.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/metadata_details.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/metadata_details.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/metadata_details.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/node_details_page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/node_details_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/node_details_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/node_details_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_body.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_body.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_body.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_body.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_error.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_error.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_error.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_error.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_error.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_error.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/page_error.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/page_error.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/section.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/section.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/series_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/series_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/series_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/series_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/side_nav.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/side_nav.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/side_nav.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/side_nav.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/sub_section.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/sub_section.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/sub_section.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/sub_section.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/time_controls.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/time_controls.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/time_controls.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/time_controls.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/time_controls.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/time_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/components/time_controls.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/components/time_controls.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/containers/metadata_context.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/containers/metadata_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/containers/metadata_context.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/containers/metadata_context.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/hooks/metrics_time.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/hooks/metrics_time.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/hooks/metrics_time.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/hooks/metrics_time.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/hooks/use_metrics_time.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/hooks/use_metrics_time.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/hooks/use_metrics_time.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/hooks/use_metrics_time.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/lib/get_filtered_metrics.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/lib/get_filtered_metrics.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/lib/get_filtered_metrics.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/lib/get_filtered_metrics.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/lib/side_nav_context.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/lib/side_nav_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/lib/side_nav_context.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/lib/side_nav_context.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/metric_detail_page.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/metric_detail_page.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/metric_detail_page.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/metric_detail_page.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/types.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metric_detail/types.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metric_detail/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/aggregation.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/aggregation.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/aggregation.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/aggregation.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_context_menu.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_options.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_options.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_options.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_options.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_title.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_title.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/chart_title.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/chart_title.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/charts.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/charts.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/charts.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/charts.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/empty_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/empty_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/empty_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/empty_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/group_by.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domain.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domain.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domain.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domain.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domian.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domian.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domian.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/calculate_domian.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metric.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metric.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metric.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metric.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metrics.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metrics.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metrics.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_formatter_for_metrics.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_metric_label.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/create_tsvb_link.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/get_metric_id.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/get_metric_id.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/get_metric_id.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/get_metric_id.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.test.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.test.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/helpers/metric_to_format.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/kuery_bar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/no_metrics.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/no_metrics.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/no_metrics.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/no_metrics.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/saved_views.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/saved_views.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/saved_views.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/saved_views.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/series_chart.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/series_chart.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/series_chart.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/series_chart.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/toolbar.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/toolbar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/components/toolbar.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/components/toolbar.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metric_explorer_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_data.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.test.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/hooks/use_metrics_explorer_options.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/index.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/metrics_explorer/index.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/metrics_explorer/index.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/features_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/features_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/features_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/features_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/indices_configuration_form_state.ts b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/indices_configuration_form_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/indices_configuration_form_state.ts rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/indices_configuration_form_state.ts diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/indices_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/indices_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/indices_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/indices_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/input_fields.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/input_fields.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/input_fields.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/input_fields.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/ml_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/ml_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/ml_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/ml_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/name_configuration_panel.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/name_configuration_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/name_configuration_panel.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/name_configuration_panel.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/source_configuration_form_state.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/source_configuration_form_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/source_configuration_form_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/source_configuration_form_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/source_configuration_settings.tsx b/x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/source_configuration_settings.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/pages/metrics/settings/source_configuration_settings.tsx rename to x-pack/solutions/observability/plugins/infra/public/pages/metrics/settings/source_configuration_settings.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/plugin.ts b/x-pack/solutions/observability/plugins/infra/public/plugin.ts similarity index 98% rename from x-pack/plugins/observability_solution/infra/public/plugin.ts rename to x-pack/solutions/observability/plugins/infra/public/plugin.ts index 70a07b13b7c81..a9e5f2326fe73 100644 --- a/x-pack/plugins/observability_solution/infra/public/plugin.ts +++ b/x-pack/solutions/observability/plugins/infra/public/plugin.ts @@ -135,7 +135,7 @@ export class Plugin implements InfraClientPluginClass { const logRoutes = getLogsAppRoutes(); - /** !! Need to be kept in sync with the deepLinks in x-pack/plugins/observability_solution/infra/public/plugin.ts */ + /** !! Need to be kept in sync with the deepLinks in x-pack/solutions/observability/plugins/infra/public/plugin.ts */ pluginsSetup.observabilityShared.navigation.registerSections( startDep$AndAccessibleFlag$.pipe( map(([application, isLogsExplorerAccessible]) => { @@ -229,7 +229,7 @@ export class Plugin implements InfraClientPluginClass { }); } - // !! Need to be kept in sync with the routes in x-pack/plugins/observability_solution/infra/public/pages/metrics/index.tsx + // !! Need to be kept in sync with the routes in x-pack/solutions/observability/plugins/infra/public/pages/metrics/index.tsx const getInfraDeepLinks = ({ metricsExplorerEnabled, }: { diff --git a/x-pack/plugins/observability_solution/infra/public/register_feature.ts b/x-pack/solutions/observability/plugins/infra/public/register_feature.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/register_feature.ts rename to x-pack/solutions/observability/plugins/infra/public/register_feature.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/index.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/index.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_client.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_client.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_client.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_client.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_client.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_service.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_service.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_service.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/inventory_views_service.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/inventory_views_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/inventory_views/types.ts b/x-pack/solutions/observability/plugins/infra/public/services/inventory_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/inventory_views/types.ts rename to x-pack/solutions/observability/plugins/infra/public/services/inventory_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/index.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/index.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_client.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/metrics_explorer_views_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/types.ts b/x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/metrics_explorer_views/types.ts rename to x-pack/solutions/observability/plugins/infra/public/services/metrics_explorer_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/index.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/index.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/index.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_events.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_events.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_events.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.mock.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.mock.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.ts diff --git a/x-pack/plugins/observability_solution/infra/public/services/telemetry/types.ts b/x-pack/solutions/observability/plugins/infra/public/services/telemetry/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/services/telemetry/types.ts rename to x-pack/solutions/observability/plugins/infra/public/services/telemetry/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/test_utils/entries.ts b/x-pack/solutions/observability/plugins/infra/public/test_utils/entries.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/test_utils/entries.ts rename to x-pack/solutions/observability/plugins/infra/public/test_utils/entries.ts diff --git a/x-pack/plugins/observability_solution/infra/public/test_utils/index.ts b/x-pack/solutions/observability/plugins/infra/public/test_utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/test_utils/index.ts rename to x-pack/solutions/observability/plugins/infra/public/test_utils/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/test_utils/use_global_storybook_theme.tsx b/x-pack/solutions/observability/plugins/infra/public/test_utils/use_global_storybook_theme.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/test_utils/use_global_storybook_theme.tsx rename to x-pack/solutions/observability/plugins/infra/public/test_utils/use_global_storybook_theme.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/translations.ts b/x-pack/solutions/observability/plugins/infra/public/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/translations.ts rename to x-pack/solutions/observability/plugins/infra/public/translations.ts diff --git a/x-pack/plugins/observability_solution/infra/public/types.ts b/x-pack/solutions/observability/plugins/infra/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/types.ts rename to x-pack/solutions/observability/plugins/infra/public/types.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/convert_interval_to_string.ts b/x-pack/solutions/observability/plugins/infra/public/utils/convert_interval_to_string.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/convert_interval_to_string.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/convert_interval_to_string.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/data_search.stories.mdx b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/data_search.stories.mdx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/data_search.stories.mdx rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/data_search.stories.mdx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/flatten_data_search_response.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/flatten_data_search_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/flatten_data_search_response.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/flatten_data_search_response.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/index.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/index.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/index.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/normalize_data_search_responses.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/normalize_data_search_responses.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/normalize_data_search_responses.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/normalize_data_search_responses.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/types.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/types.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_request.test.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_request.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_data_search_request.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_request.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_request.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_request.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_request.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_request.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_response_state.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_response_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/use_data_search_response_state.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_data_search_response_state.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.test.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_latest_partial_data_search_response.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/utils/data_search/use_latest_partial_data_search_response.test.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_latest_partial_data_search_response.test.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_search/use_latest_partial_data_search_response.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_latest_partial_data_search_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_search/use_latest_partial_data_search_response.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_search/use_latest_partial_data_search_response.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/data_view.ts b/x-pack/solutions/observability/plugins/infra/public/utils/data_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/data_view.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/data_view.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/datemath.test.ts b/x-pack/solutions/observability/plugins/infra/public/utils/datemath.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/datemath.test.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/datemath.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/datemath.ts b/x-pack/solutions/observability/plugins/infra/public/utils/datemath.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/datemath.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/datemath.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/dev_mode.ts b/x-pack/solutions/observability/plugins/infra/public/utils/dev_mode.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/dev_mode.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/dev_mode.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/filters/build.test.ts b/x-pack/solutions/observability/plugins/infra/public/utils/filters/build.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/filters/build.test.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/filters/build.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/filters/build.ts b/x-pack/solutions/observability/plugins/infra/public/utils/filters/build.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/filters/build.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/filters/build.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/filters/create_alerts_es_query.ts b/x-pack/solutions/observability/plugins/infra/public/utils/filters/create_alerts_es_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/filters/create_alerts_es_query.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/filters/create_alerts_es_query.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/fixtures/metrics_explorer.ts b/x-pack/solutions/observability/plugins/infra/public/utils/fixtures/metrics_explorer.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/fixtures/metrics_explorer.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/fixtures/metrics_explorer.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/kuery.ts b/x-pack/solutions/observability/plugins/infra/public/utils/kuery.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/kuery.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/kuery.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/log_column_render_configuration.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/log_column_render_configuration.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/log_column_render_configuration.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/log_column_render_configuration.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/logs_overview_fetchers.ts b/x-pack/solutions/observability/plugins/infra/public/utils/logs_overview_fetchers.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/logs_overview_fetchers.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/logs_overview_fetchers.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/logs_overview_fetches.test.ts b/x-pack/solutions/observability/plugins/infra/public/utils/logs_overview_fetches.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/logs_overview_fetches.test.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/logs_overview_fetches.test.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/map_timepicker_quickranges_to_datepicker_ranges.ts b/x-pack/solutions/observability/plugins/infra/public/utils/map_timepicker_quickranges_to_datepicker_ranges.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/map_timepicker_quickranges_to_datepicker_ranges.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/map_timepicker_quickranges_to_datepicker_ranges.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/redirect_with_query_params.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/redirect_with_query_params.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/redirect_with_query_params.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/redirect_with_query_params.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/source_configuration.ts b/x-pack/solutions/observability/plugins/infra/public/utils/source_configuration.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/source_configuration.ts rename to x-pack/solutions/observability/plugins/infra/public/utils/source_configuration.ts diff --git a/x-pack/plugins/observability_solution/infra/public/utils/theme_utils/with_attrs.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/theme_utils/with_attrs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/theme_utils/with_attrs.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/theme_utils/with_attrs.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/typed_react.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/typed_react.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/typed_react.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/typed_react.tsx diff --git a/x-pack/plugins/observability_solution/infra/public/utils/url_state.tsx b/x-pack/solutions/observability/plugins/infra/public/utils/url_state.tsx similarity index 100% rename from x-pack/plugins/observability_solution/infra/public/utils/url_state.tsx rename to x-pack/solutions/observability/plugins/infra/public/utils/url_state.tsx diff --git a/x-pack/plugins/observability_solution/infra/server/config.ts b/x-pack/solutions/observability/plugins/infra/server/config.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/config.ts rename to x-pack/solutions/observability/plugins/infra/server/config.ts diff --git a/x-pack/plugins/observability_solution/infra/server/features.ts b/x-pack/solutions/observability/plugins/infra/server/features.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/features.ts rename to x-pack/solutions/observability/plugins/infra/server/features.ts diff --git a/x-pack/plugins/observability_solution/infra/server/index.ts b/x-pack/solutions/observability/plugins/infra/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/index.ts rename to x-pack/solutions/observability/plugins/infra/server/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/infra_server.ts b/x-pack/solutions/observability/plugins/infra/server/infra_server.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/infra_server.ts rename to x-pack/solutions/observability/plugins/infra/server/infra_server.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/adapter_types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/adapter_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/adapter_types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/adapter_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/adapter_types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/adapter_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/adapter_types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/adapter_types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/kibana_metrics_adapter.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/kibana_metrics_adapter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/kibana_metrics_adapter.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/kibana_metrics_adapter.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/lib/check_valid_node.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/lib/check_valid_node.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/metrics/lib/check_valid_node.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/metrics/lib/check_valid_node.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/source_status/elasticsearch_source_status_adapter.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/source_status/elasticsearch_source_status_adapter.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/source_status/elasticsearch_source_status_adapter.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/source_status/elasticsearch_source_status_adapter.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/adapters/source_status/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/adapters/source_status/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/adapters/source_status/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/adapters/source_status/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/common/get_values.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/get_values.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/common/get_values.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/get_values.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/common/get_values.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/get_values.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/common/get_values.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/get_values.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/common/messages.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/messages.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/common/messages.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/messages.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/common/utils.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/utils.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/common/utils.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/utils.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/common/utils.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/common/utils.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/common/utils.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_inventory.yaml diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_infra_metric_threshold.yaml diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_log_threshold.yaml b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_log_threshold.yaml similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/docs/params_property_log_threshold.yaml rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/docs/params_property_log_threshold.yaml diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/evaluate_condition.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/evaluate_condition.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/evaluate_condition.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/evaluate_condition.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/inventory_metric_threshold_executor.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_from_based_on_metric.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_from_based_on_metric.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_from_based_on_metric.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_from_based_on_metric.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_rate_timeranges.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_rate_timeranges.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_rate_timeranges.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/calculate_rate_timeranges.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/convert_metric_value.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/convert_metric_value.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/convert_metric_value.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/convert_metric_value.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_bucket_selector.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_condition_script.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_log_rate_aggs.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_log_rate_aggs.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_log_rate_aggs.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_log_rate_aggs.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_metric_aggregations.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_metric_aggregations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_metric_aggregations.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_metric_aggregations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_agg_with_interface.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_agg_with_interface.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_agg_with_interface.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_agg_with_interface.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_aggs.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_aggs.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_aggs.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_rate_aggs.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_request.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_request.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/create_request.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/create_request.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/get_data.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/get_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/get_data.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/get_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/lib/is_rate.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/register_inventory_metric_threshold_rule_type.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/register_inventory_metric_threshold_rule_type.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/inventory_metric_threshold/register_inventory_metric_threshold_rule_type.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/inventory_metric_threshold/register_inventory_metric_threshold_rule_type.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_chart_preview.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_chart_preview.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_chart_preview.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_chart_preview.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_executor.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_executor.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_executor.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/log_threshold_references_manager.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/mocks/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/mocks/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/mocks/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/mocks/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/reason_formatters.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/reason_formatters.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/reason_formatters.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/reason_formatters.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/register_log_threshold_rule_type.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/register_log_threshold_rule_type.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/log_threshold/register_log_threshold_rule_type.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/log_threshold/register_log_threshold_rule_type.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/check_missing_group.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/check_missing_group.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/check_missing_group.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/check_missing_group.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/convert_strings_to_missing_groups_record.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/convert_strings_to_missing_groups_record.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/convert_strings_to_missing_groups_record.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/convert_strings_to_missing_groups_record.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_bucket_selector.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_bucket_selector.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_bucket_selector.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_bucket_selector.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_condition_script.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_condition_script.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_condition_script.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_condition_script.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_percentile_aggregation.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_percentile_aggregation.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_percentile_aggregation.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_percentile_aggregation.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_rate_aggregation.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_rate_aggregation.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_rate_aggregation.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_rate_aggregation.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_timerange.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_timerange.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_timerange.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_timerange.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_timerange.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_timerange.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/create_timerange.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/create_timerange.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/evaluate_rule.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/evaluate_rule.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/evaluate_rule.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/evaluate_rule.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/get_data.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/get_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/get_data.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/get_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_expression_params.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_expression_params.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_expression_params.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_expression_params.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_query.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_query.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_query.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_query.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_query.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/metric_query.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/metric_query.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/wrap_in_period.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/wrap_in_period.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/lib/wrap_in_period.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/lib/wrap_in_period.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/metric_threshold_executor.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/register_metric_threshold_rule_type.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/register_metric_threshold_rule_type.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/register_metric_threshold_rule_type.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/register_metric_threshold_rule_type.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/test_mocks.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/test_mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/metric_threshold/test_mocks.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/metric_threshold/test_mocks.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/alerting/register_rule_types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/alerting/register_rule_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/alerting/register_rule_types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/alerting/register_rule_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/cancel_request_on_abort.ts b/x-pack/solutions/observability/plugins/infra/server/lib/cancel_request_on_abort.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/cancel_request_on_abort.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/cancel_request_on_abort.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/constants.ts b/x-pack/solutions/observability/plugins/infra/server/lib/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/constants.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/create_custom_metrics_aggregations.ts b/x-pack/solutions/observability/plugins/infra/server/lib/create_custom_metrics_aggregations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/create_custom_metrics_aggregations.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/create_custom_metrics_aggregations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/create_search_client.ts b/x-pack/solutions/observability/plugins/infra/server/lib/create_search_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/create_search_client.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/create_search_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/domains/metrics_domain.ts b/x-pack/solutions/observability/plugins/infra/server/lib/domains/metrics_domain.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/domains/metrics_domain.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/domains/metrics_domain.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/helpers/get_apm_data_access_client.ts b/x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_apm_data_access_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/helpers/get_apm_data_access_client.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_apm_data_access_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_alerts_client.ts b/x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_alerts_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_alerts_client.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_alerts_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_metrics_client.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_metrics_client.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_metrics_client.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_metrics_client.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_metrics_client.ts b/x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_metrics_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/helpers/get_infra_metrics_client.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/helpers/get_infra_metrics_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/host_details/process_list.ts b/x-pack/solutions/observability/plugins/infra/server/lib/host_details/process_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/host_details/process_list.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/host_details/process_list.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/host_details/process_list_chart.ts b/x-pack/solutions/observability/plugins/infra/server/lib/host_details/process_list_chart.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/host_details/process_list_chart.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/host_details/process_list_chart.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/common.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/common.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/common.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/errors.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/errors.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/metrics_hosts_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/metrics_hosts_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/metrics_hosts_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/metrics_hosts_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/metrics_k8s_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/metrics_k8s_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/metrics_k8s_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/metrics_k8s_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/common.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/common.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/common.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/log_entry_data_sets.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/log_entry_data_sets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/log_entry_data_sets.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/log_entry_data_sets.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_host_anomalies.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_host_anomalies.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_host_anomalies.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_host_anomalies.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_hosts_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_hosts_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_hosts_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_hosts_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/metrics_k8s_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/ml_jobs.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/ml_jobs.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_ml/queries/ml_jobs.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_ml/queries/ml_jobs.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/infra_types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/infra_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/infra_types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/infra_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/common.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/common.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/common.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/errors.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/errors.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_categories_analysis.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_categories_analysis.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_categories_analysis.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_categories_analysis.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_categories_datasets_stats.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_categories_datasets_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_categories_datasets_stats.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_categories_datasets_stats.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_rate_analysis.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_rate_analysis.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/log_entry_rate_analysis.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/log_entry_rate_analysis.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/common.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/common.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/common.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/latest_log_entry_categories_datasets_stats.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/latest_log_entry_categories_datasets_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/latest_log_entry_categories_datasets_stats.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/latest_log_entry_categories_datasets_stats.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_categories.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_categories.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_categories.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_categories.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_category_examples.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_category_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_category_examples.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_category_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_category_histograms.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_category_histograms.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_category_histograms.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_category_histograms.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_data_sets.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_data_sets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_data_sets.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_data_sets.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_rate.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_rate.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/log_entry_rate.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/log_entry_rate.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/ml_jobs.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/ml_jobs.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/ml_jobs.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/ml_jobs.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/top_log_entry_categories.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/top_log_entry_categories.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/queries/top_log_entry_categories.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/queries/top_log_entry_categories.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/log_analysis/resolve_id_formats.ts b/x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/resolve_id_formats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/log_analysis/resolve_id_formats.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/log_analysis/resolve_id_formats.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/constants.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/constants.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/convert_buckets_to_metrics_series.test.ts.snap b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/convert_buckets_to_metrics_series.test.ts.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/convert_buckets_to_metrics_series.test.ts.snap rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/convert_buckets_to_metrics_series.test.ts.snap diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/create_aggregations.test.ts.snap b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/create_aggregations.test.ts.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/create_aggregations.test.ts.snap rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/create_aggregations.test.ts.snap diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/create_metrics_aggregations.test.ts.snap b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/create_metrics_aggregations.test.ts.snap similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/__snapshots__/create_metrics_aggregations.test.ts.snap rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/__snapshots__/create_metrics_aggregations.test.ts.snap diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_auto.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_bucket_size.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_bucket_size.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_bucket_size.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/calculate_bucket_size.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/interval_regex.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_bucket_size/unit_to_seconds.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_date_histogram_offset.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_date_histogram_offset.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_date_histogram_offset.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_date_histogram_offset.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_date_histogram_offset.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_date_histogram_offset.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_date_histogram_offset.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_date_histogram_offset.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_interval.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_interval.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/calculate_interval.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/calculate_interval.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/convert_buckets_to_metrics_series.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_aggregations.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_aggregations.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_aggregations.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_aggregations.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_aggregations.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_aggregations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_aggregations.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_aggregations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_metrics_aggregations.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_metrics_aggregations.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_metrics_aggregations.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_metrics_aggregations.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_metrics_aggregations.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_metrics_aggregations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/lib/create_metrics_aggregations.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/lib/create_metrics_aggregations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/metrics/types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/metrics/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/metrics/types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/metrics/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/source_status.ts b/x-pack/solutions/observability/plugins/infra/server/lib/source_status.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/source_status.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/source_status.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/defaults.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/defaults.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/defaults.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/errors.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/errors.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/errors.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/has_data.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/has_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/has_data.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/has_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/index.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/index.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_13_0_convert_log_alias_to_log_indices.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_inventory_default_view_reference.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_16_2_extract_metrics_explorer_default_view_reference.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/7_9_0_add_new_indexing_strategy_index_names.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/compose_migrations.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/compose_migrations.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/compose_migrations.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/compose_migrations.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/compose_migrations.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/compose_migrations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/compose_migrations.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/compose_migrations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/create_test_source_configuration.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/create_test_source_configuration.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/migrations/create_test_source_configuration.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/migrations/create_test_source_configuration.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/mocks.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/mocks.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/mocks.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_references.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_references.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_references.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_references.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_references.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_references.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_references.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_references.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_type.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_type.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_type.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_type.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/sources.test.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/sources.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/sources.test.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/sources.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/sources.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/sources.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/sources.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/sources.ts diff --git a/x-pack/plugins/observability_solution/infra/server/lib/sources/types.ts b/x-pack/solutions/observability/plugins/infra/server/lib/sources/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/lib/sources/types.ts rename to x-pack/solutions/observability/plugins/infra/server/lib/sources/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/mocks.ts b/x-pack/solutions/observability/plugins/infra/server/mocks.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/mocks.ts rename to x-pack/solutions/observability/plugins/infra/server/mocks.ts diff --git a/x-pack/plugins/observability_solution/infra/server/plugin.ts b/x-pack/solutions/observability/plugins/infra/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/plugin.ts rename to x-pack/solutions/observability/plugins/infra/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/custom_dashboards.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/custom_dashboards.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/custom_dashboards.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/custom_dashboards.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/delete_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/delete_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/delete_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/delete_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/get_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/get_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/get_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/get_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/check_custom_dashboards_enabled.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/check_custom_dashboards_enabled.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/check_custom_dashboards_enabled.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/check_custom_dashboards_enabled.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/delete_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/delete_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/delete_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/delete_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/find_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/find_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/lib/find_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/lib/find_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/save_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/save_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/save_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/save_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/update_custom_dashboard.ts b/x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/update_custom_dashboard.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/custom_dashboards/update_custom_dashboard.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/custom_dashboards/update_custom_dashboard.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/entities/get_data_stream_types.test.ts b/x-pack/solutions/observability/plugins/infra/server/routes/entities/get_data_stream_types.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/entities/get_data_stream_types.test.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/entities/get_data_stream_types.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/entities/get_data_stream_types.ts b/x-pack/solutions/observability/plugins/infra/server/routes/entities/get_data_stream_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/entities/get_data_stream_types.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/entities/get_data_stream_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/entities/get_has_metrics_data.ts b/x-pack/solutions/observability/plugins/infra/server/routes/entities/get_has_metrics_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/entities/get_has_metrics_data.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/entities/get_has_metrics_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/entities/get_latest_entity.ts b/x-pack/solutions/observability/plugins/infra/server/routes/entities/get_latest_entity.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/entities/get_latest_entity.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/entities/get_latest_entity.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/entities/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/entities/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/entities/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/entities/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/README.md b/x-pack/solutions/observability/plugins/infra/server/routes/infra/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/README.md rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/README.md diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/constants.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/constants.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/helpers/query.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/helpers/query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/helpers/query.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/helpers/query.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_all_hosts.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_all_hosts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_all_hosts.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_all_hosts.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_apm_hosts.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_apm_hosts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_apm_hosts.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_apm_hosts.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_filtered_hosts.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_filtered_hosts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_filtered_hosts.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_filtered_hosts.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts_alerts_count.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts_alerts_count.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts_alerts_count.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts_alerts_count.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts_count.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts_count.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/host/get_hosts_count.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/host/get_hosts_count.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/types.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/types.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/utils.test.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/utils.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/utils.test.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/utils.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra/lib/utils.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra/lib/utils.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra/lib/utils.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra_ml/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra_ml/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/metrics_hosts_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/metrics_hosts_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/metrics_hosts_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/metrics_hosts_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/metrics_k8s_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/metrics_k8s_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/infra_ml/results/metrics_k8s_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/infra_ml/results/metrics_k8s_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_metadata/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_metadata/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_metadata/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_metadata/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_metadata/lib/get_cloud_metadata.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_metadata/lib/get_cloud_metadata.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_metadata/lib/get_cloud_metadata.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_metadata/lib/get_cloud_metadata.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/README.md b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/README.md rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/README.md diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/create_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/create_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/create_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/create_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/delete_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/delete_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/delete_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/delete_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/find_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/find_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/find_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/find_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/get_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/get_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/get_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/get_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/inventory_views/update_inventory_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/update_inventory_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/inventory_views/update_inventory_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/inventory_views/update_inventory_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/ip_to_hostname.ts b/x-pack/solutions/observability/plugins/infra/server/routes/ip_to_hostname.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/ip_to_hostname.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/ip_to_hostname.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_alerts/chart_preview_data.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_alerts/chart_preview_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_alerts/chart_preview_data.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_alerts/chart_preview_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_alerts/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_alerts/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_alerts/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_alerts/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/id_formats.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/id_formats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/id_formats.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/id_formats.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_anomalies.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_anomalies.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_anomalies.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_anomalies.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_anomalies_datasets.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_anomalies_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_anomalies_datasets.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_anomalies_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_categories.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_categories.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_categories.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_categories.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_datasets.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_datasets.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_datasets_stats.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_datasets_stats.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_datasets_stats.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_datasets_stats.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_examples.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_category_examples.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_category_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_examples.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_examples.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/results/log_entry_examples.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/results/log_entry_examples.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/datasets.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/datasets.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/datasets.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/indices.ts b/x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/indices.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/log_analysis/validation/indices.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/log_analysis/validation/indices.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_cloud_metric_metadata.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_cloud_metric_metadata.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_cloud_metric_metadata.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_cloud_metric_metadata.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_metric_metadata.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_metric_metadata.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_metric_metadata.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_metric_metadata.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_node_info.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_node_info.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_node_info.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_node_info.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_pod_node_name.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_pod_node_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/get_pod_node_name.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/get_pod_node_name.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/pick_feature_name.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/pick_feature_name.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metadata/lib/pick_feature_name.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metadata/lib/pick_feature_name.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/README.md b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/README.md rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/README.md diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/create_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/create_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/create_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/create_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/delete_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/delete_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/delete_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/delete_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/find_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/find_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/find_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/find_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/get_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/get_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/get_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/get_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/update_metrics_explorer_view.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/update_metrics_explorer_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_explorer_views/update_metrics_explorer_view.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_explorer_views/update_metrics_explorer_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/metrics_sources/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/metrics_sources/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/metrics_sources/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/metrics_sources/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/node_details/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/node_details/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/node_details/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/node_details/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/lib/convert_es_response_to_top_nodes_response.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/convert_es_response_to_top_nodes_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/lib/convert_es_response_to_top_nodes_response.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/convert_es_response_to_top_nodes_response.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/lib/create_top_nodes_query.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/create_top_nodes_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/lib/create_top_nodes_query.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/create_top_nodes_query.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/lib/get_matadata_from_node_bucket.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/get_matadata_from_node_bucket.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/lib/get_matadata_from_node_bucket.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/get_matadata_from_node_bucket.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/lib/get_top_nodes.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/get_top_nodes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/lib/get_top_nodes.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/get_top_nodes.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/overview/lib/types.ts b/x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/overview/lib/types.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/overview/lib/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/process_list/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/process_list/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/process_list/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/process_list/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/profiling/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/profiling/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/profiling/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/profiling/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_flamegraph.ts b/x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_flamegraph.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_flamegraph.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_flamegraph.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_functions.ts b/x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_functions.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_functions.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_functions.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_status.ts b/x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_status.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/fetch_profiling_status.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/fetch_profiling_status.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/get_profiling_data_access.ts b/x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/get_profiling_data_access.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/profiling/lib/get_profiling_data_access.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/profiling/lib/get_profiling_data_access.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/services/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/services/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/services/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/services/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/services/lib/utils.ts b/x-pack/solutions/observability/plugins/infra/server/routes/services/lib/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/services/lib/utils.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/services/lib/utils.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/index.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/index.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/apply_metadata_to_last_path.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/apply_metadata_to_last_path.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/apply_metadata_to_last_path.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/apply_metadata_to_last_path.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/constants.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/constants.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/constants.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/copy_missing_metrics.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/copy_missing_metrics.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/copy_missing_metrics.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/copy_missing_metrics.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/create_timerange_with_interval.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/create_timerange_with_interval.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/create_timerange_with_interval.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/create_timerange_with_interval.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_dataset_for_field.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_dataset_for_field.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_dataset_for_field.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_dataset_for_field.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_metrics_aggregations.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_metrics_aggregations.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_metrics_aggregations.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_metrics_aggregations.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_nodes.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_nodes.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/get_nodes.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/get_nodes.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/query_all_data.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/query_all_data.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/query_all_data.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/query_all_data.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_metrics_ui_response.test.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_metrics_ui_response.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_metrics_ui_response.test.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_metrics_ui_response.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_metrics_ui_response.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_metrics_ui_response.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_metrics_ui_response.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_metrics_ui_response.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.test.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.test.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_request_to_metrics_api_request.ts diff --git a/x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_snapshot_metrics_to_metrics_api_metrics.ts b/x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_snapshot_metrics_to_metrics_api_metrics.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/routes/snapshot/lib/transform_snapshot_metrics_to_metrics_api_metrics.ts rename to x-pack/solutions/observability/plugins/infra/server/routes/snapshot/lib/transform_snapshot_metrics_to_metrics_api_metrics.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/custom_dashboards/custom_dashboards_saved_object.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/custom_dashboards/custom_dashboards_saved_object.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/custom_dashboards/custom_dashboards_saved_object.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/custom_dashboards/custom_dashboards_saved_object.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/index.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/index.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/index.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/index.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/inventory_view_saved_object.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/inventory_view_saved_object.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/inventory_view_saved_object.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/inventory_view_saved_object.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/types.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/inventory_view/types.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/inventory_view/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/index.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/index.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/metrics_explorer_view_saved_object.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/metrics_explorer_view_saved_object.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/metrics_explorer_view_saved_object.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/metrics_explorer_view_saved_object.ts diff --git a/x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/types.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/saved_objects/metrics_explorer_view/types.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/metrics_explorer_view/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/references.test.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/references.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/references.test.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/references.test.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/saved_objects/references.ts b/x-pack/solutions/observability/plugins/infra/server/saved_objects/references.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/saved_objects/references.ts rename to x-pack/solutions/observability/plugins/infra/server/saved_objects/references.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/index.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/index.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.mock.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.mock.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.test.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.test.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_client.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_service.mock.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_service.mock.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_service.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/inventory_views_service.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/inventory_views_service.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/inventory_views/types.ts b/x-pack/solutions/observability/plugins/infra/server/services/inventory_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/inventory_views/types.ts rename to x-pack/solutions/observability/plugins/infra/server/services/inventory_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/index.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/index.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.test.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.test.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.mock.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/metrics_explorer_views_service.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/types.ts b/x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/metrics_explorer_views/types.ts rename to x-pack/solutions/observability/plugins/infra/server/services/metrics_explorer_views/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/rules/index.ts b/x-pack/solutions/observability/plugins/infra/server/services/rules/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/rules/index.ts rename to x-pack/solutions/observability/plugins/infra/server/services/rules/index.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/rules/rule_data_client.ts b/x-pack/solutions/observability/plugins/infra/server/services/rules/rule_data_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/rules/rule_data_client.ts rename to x-pack/solutions/observability/plugins/infra/server/services/rules/rule_data_client.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/rules/rules_service.ts b/x-pack/solutions/observability/plugins/infra/server/services/rules/rules_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/rules/rules_service.ts rename to x-pack/solutions/observability/plugins/infra/server/services/rules/rules_service.ts diff --git a/x-pack/plugins/observability_solution/infra/server/services/rules/types.ts b/x-pack/solutions/observability/plugins/infra/server/services/rules/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/services/rules/types.ts rename to x-pack/solutions/observability/plugins/infra/server/services/rules/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/types.ts b/x-pack/solutions/observability/plugins/infra/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/types.ts rename to x-pack/solutions/observability/plugins/infra/server/types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/usage/usage_collector.ts b/x-pack/solutions/observability/plugins/infra/server/usage/usage_collector.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/usage/usage_collector.ts rename to x-pack/solutions/observability/plugins/infra/server/usage/usage_collector.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/README.md b/x-pack/solutions/observability/plugins/infra/server/utils/README.md similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/README.md rename to x-pack/solutions/observability/plugins/infra/server/utils/README.md diff --git a/x-pack/plugins/observability_solution/infra/server/utils/calculate_metric_interval.ts b/x-pack/solutions/observability/plugins/infra/server/utils/calculate_metric_interval.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/calculate_metric_interval.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/calculate_metric_interval.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/elasticsearch_runtime_types.ts b/x-pack/solutions/observability/plugins/infra/server/utils/elasticsearch_runtime_types.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/elasticsearch_runtime_types.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/elasticsearch_runtime_types.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/get_original_action_group.ts b/x-pack/solutions/observability/plugins/infra/server/utils/get_original_action_group.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/get_original_action_group.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/get_original_action_group.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/handle_route_errors.ts b/x-pack/solutions/observability/plugins/infra/server/utils/handle_route_errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/handle_route_errors.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/handle_route_errors.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/map_source_to_log_view.test.ts b/x-pack/solutions/observability/plugins/infra/server/utils/map_source_to_log_view.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/map_source_to_log_view.test.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/map_source_to_log_view.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/map_source_to_log_view.ts b/x-pack/solutions/observability/plugins/infra/server/utils/map_source_to_log_view.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/map_source_to_log_view.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/map_source_to_log_view.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/request_context.ts b/x-pack/solutions/observability/plugins/infra/server/utils/request_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/request_context.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/request_context.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/route_validation.test.ts b/x-pack/solutions/observability/plugins/infra/server/utils/route_validation.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/route_validation.test.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/route_validation.test.ts diff --git a/x-pack/plugins/observability_solution/infra/server/utils/route_validation.ts b/x-pack/solutions/observability/plugins/infra/server/utils/route_validation.ts similarity index 100% rename from x-pack/plugins/observability_solution/infra/server/utils/route_validation.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/route_validation.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/server/utils/serialized_query.ts b/x-pack/solutions/observability/plugins/infra/server/utils/serialized_query.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/server/utils/serialized_query.ts rename to x-pack/solutions/observability/plugins/infra/server/utils/serialized_query.ts diff --git a/x-pack/plugins/observability_solution/infra/tsconfig.json b/x-pack/solutions/observability/plugins/infra/tsconfig.json similarity index 97% rename from x-pack/plugins/observability_solution/infra/tsconfig.json rename to x-pack/solutions/observability/plugins/infra/tsconfig.json index b02356720e7b0..3a8b68772fed1 100644 --- a/x-pack/plugins/observability_solution/infra/tsconfig.json +++ b/x-pack/solutions/observability/plugins/infra/tsconfig.json @@ -1,10 +1,10 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ - "../../../../typings/**/*", + "../../../../../typings/**/*", "common/**/*", "public/**/*", "server/**/*", diff --git a/x-pack/plugins/observability_solution/logs_explorer/.storybook/__mocks__/package_icon.tsx b/x-pack/solutions/observability/plugins/logs_explorer/.storybook/__mocks__/package_icon.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/.storybook/__mocks__/package_icon.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/.storybook/__mocks__/package_icon.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/.storybook/main.js b/x-pack/solutions/observability/plugins/logs_explorer/.storybook/main.js similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/.storybook/main.js rename to x-pack/solutions/observability/plugins/logs_explorer/.storybook/main.js diff --git a/x-pack/plugins/observability_solution/logs_explorer/.storybook/preview.js b/x-pack/solutions/observability/plugins/logs_explorer/.storybook/preview.js similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/.storybook/preview.js rename to x-pack/solutions/observability/plugins/logs_explorer/.storybook/preview.js diff --git a/x-pack/plugins/observability_solution/logs_explorer/README.md b/x-pack/solutions/observability/plugins/logs_explorer/README.md similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/README.md rename to x-pack/solutions/observability/plugins/logs_explorer/README.md diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/constants.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/constants.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/control_panels/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/control_panels/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/control_panels/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/control_panels/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/single_dataset_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/single_dataset_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/single_dataset_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/single_dataset_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_views/models/data_view_descriptor.test.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_views/models/data_view_descriptor.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_views/models/data_view_descriptor.test.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_views/models/data_view_descriptor.test.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_views/models/data_view_descriptor.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_views/models/data_view_descriptor.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_views/models/data_view_descriptor.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_views/models/data_view_descriptor.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/data_views/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/data_views/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/data_views/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/data_views/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/errors.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/errors.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/errors.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/errors.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/models/dataset.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/models/dataset.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/models/dataset.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/models/dataset.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/models/integration.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/models/integration.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/models/integration.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/models/integration.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/common.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/common.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/common.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/find_datasets.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/find_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/find_datasets.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/find_datasets.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/find_integrations.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/find_integrations.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/find_integrations.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/find_integrations.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/datasets/v1/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/datasets/v1/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/display_options/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/display_options/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/display_options/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/display_options/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/hashed_cache.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/hashed_cache.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/hashed_cache.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/hashed_cache.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/latest.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/latest.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/latest.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/latest.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/locators/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/locators/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/locators/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/locators/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.test.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.test.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.test.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/logs_explorer_locator.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/locators/logs_explorer/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/locators/logs_explorer/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/plugin_config.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/plugin_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/plugin_config.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/plugin_config.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/common/ui_settings.ts b/x-pack/solutions/observability/plugins/logs_explorer/common/ui_settings.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/common/ui_settings.ts rename to x-pack/solutions/observability/plugins/logs_explorer/common/ui_settings.ts diff --git a/x-pack/solutions/observability/plugins/logs_explorer/jest.config.js b/x-pack/solutions/observability/plugins/logs_explorer/jest.config.js new file mode 100644 index 0000000000000..4309e5ecd3d90 --- /dev/null +++ b/x-pack/solutions/observability/plugins/logs_explorer/jest.config.js @@ -0,0 +1,18 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +module.exports = { + preset: '@kbn/test', + rootDir: '../../../../..', + roots: ['/x-pack/solutions/observability/plugins/logs_explorer'], + coverageDirectory: + '/target/kibana-coverage/jest/x-pack/solutions/observability/plugins/logs_explorer', + coverageReporters: ['text', 'html'], + collectCoverageFrom: [ + '/x-pack/solutions/observability/plugins/logs_explorer/{common,public}/**/*.{ts,tsx}', + ], +}; diff --git a/x-pack/plugins/observability_solution/logs_explorer/kibana.jsonc b/x-pack/solutions/observability/plugins/logs_explorer/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/kibana.jsonc rename to x-pack/solutions/observability/plugins/logs_explorer/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/common/translations.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/common/translations.tsx similarity index 94% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/common/translations.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/common/translations.tsx index 2ba31b3e94d86..471cad98fb132 100644 --- a/x-pack/plugins/observability_solution/logs_explorer/public/components/common/translations.tsx +++ b/x-pack/solutions/observability/plugins/logs_explorer/public/components/common/translations.tsx @@ -75,9 +75,8 @@ export const contentHeaderTooltipParagraph1 = ( id="xpack.logsExplorer.dataTable.header.content.tooltip.paragraph1" defaultMessage="Displays the document's {logLevel} and {message} fields." values={{ - // eslint-disable-next-line @kbn/i18n/strings_should_be_translated_with_i18n logLevel: log.level, - // eslint-disable-next-line @kbn/i18n/strings_should_be_translated_with_i18n + message: message, }} /> diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/constants.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/constants.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/constants.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/constants.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/data_source_selector.stories.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/data_source_selector.stories.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/data_source_selector.stories.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/data_source_selector.stories.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/data_source_selector.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/data_source_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/data_source_selector.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/data_source_selector.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/defaults.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/defaults.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/state_machine.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/state_machine.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/use_data_source_selector.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/use_data_source_selector.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/state_machine/use_data_source_selector.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/state_machine/use_data_source_selector.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/add_data_button.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/add_data_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/add_data_button.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/add_data_button.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/data_view_filter.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/data_view_filter.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/data_view_filter.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/data_view_filter.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/data_view_menu_item.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/data_view_menu_item.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/data_view_menu_item.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/data_view_menu_item.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/datasets_skeleton.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/datasets_skeleton.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/datasets_skeleton.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/datasets_skeleton.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/list_status.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/list_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/list_status.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/list_status.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/search_controls.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/search_controls.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/search_controls.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/search_controls.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/selector_footer.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/selector_footer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/selector_footer.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/selector_footer.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/selector_popover.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/selector_popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/sub_components/selector_popover.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/sub_components/selector_popover.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/utils.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/utils.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/data_source_selector/utils.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/data_source_selector/utils.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/logs_explorer/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/components/logs_explorer/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/logs_explorer/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/logs_explorer/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/logs_explorer/logs_explorer.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/logs_explorer/logs_explorer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/logs_explorer/logs_explorer.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/logs_explorer/logs_explorer.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/virtual_columns/column_tooltips/field_with_token.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/virtual_columns/column_tooltips/field_with_token.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/virtual_columns/column_tooltips/field_with_token.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/virtual_columns/column_tooltips/field_with_token.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/components/virtual_columns/column_tooltips/tooltip_button.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/components/virtual_columns/column_tooltips/tooltip_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/components/virtual_columns/column_tooltips/tooltip_button.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/components/virtual_columns/column_tooltips/tooltip_button.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/create_controller.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/create_controller.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/create_controller.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_data_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_data_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_data_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_data_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_ui_settings_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_ui_settings_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_ui_settings_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_ui_settings_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_url_state_storage.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_url_state_storage.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/custom_url_state_storage.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/custom_url_state_storage.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/lazy_create_controller.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/lazy_create_controller.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/lazy_create_controller.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/lazy_create_controller.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/provider.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/provider.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/provider.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/provider.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/public_state.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/public_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/public_state.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/public_state.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_control_column.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_control_column.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_control_column.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_control_column.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_data_source_filters.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_data_source_filters.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_data_source_filters.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_data_source_filters.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_data_source_selector.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_data_source_selector.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_data_source_selector.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_data_source_selector.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_search_bar.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_search_bar.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_search_bar.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_search_bar.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_unified_histogram.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_unified_histogram.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/custom_unified_histogram.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/custom_unified_histogram.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/logs_explorer_profile.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/logs_explorer_profile.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/logs_explorer_profile.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/logs_explorer_profile.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_control_panels.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_control_panels.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_control_panels.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_control_panels.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_data_source_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_data_source_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_data_source_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_data_source_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_data_views.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_data_views.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_data_views.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_data_views.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_datasets.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_datasets.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_datasets.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_datasets.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_esql.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_esql.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_esql.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_esql.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_integrations.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_integrations.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_integrations.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_integrations.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_intersection_ref.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_intersection_ref.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/hooks/use_intersection_ref.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/hooks/use_intersection_ref.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/plugin.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/plugin.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/plugin.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_client.mock.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_client.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_client.mock.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_client.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_client.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_client.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_client.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_client.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_service.mock.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_service.mock.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_service.mock.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_service.mock.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/datasets_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/datasets_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/services/datasets/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/services/datasets/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/defaults.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/defaults.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/services/data_views_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/services/data_views_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/services/data_views_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/services/data_views_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/state_machine.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/state_machine.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/data_views/src/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/data_views/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/defaults.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/defaults.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/state_machine.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/state_machine.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/datasets/src/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/datasets/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/defaults.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/defaults.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/state_machine.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/state_machine.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/integrations/src/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/integrations/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_shared/public/observability_logs/xstate_helpers/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/defaults.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/defaults.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/notifications.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/notifications.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/notifications.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/notifications.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/public_events.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/public_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/public_events.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/public_events.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/control_panels.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/control_panels.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/control_panels.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/control_panels.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/data_view_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/data_view_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/data_view_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/data_view_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/discover_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/discover_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/discover_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/discover_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/selection_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/selection_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/selection_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/selection_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/timefilter_service.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/timefilter_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/services/timefilter_service.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/services/timefilter_service.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/state_machine.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/state_machine.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/utils/comparator_by_field.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/utils/comparator_by_field.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/utils/comparator_by_field.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/utils/comparator_by_field.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/utils/get_data_view_test_subj.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/utils/get_data_view_test_subj.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/utils/get_data_view_test_subj.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/utils/get_data_view_test_subj.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/utils/proxies.ts b/x-pack/solutions/observability/plugins/logs_explorer/public/utils/proxies.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/utils/proxies.ts rename to x-pack/solutions/observability/plugins/logs_explorer/public/utils/proxies.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/public/utils/use_kibana.tsx b/x-pack/solutions/observability/plugins/logs_explorer/public/utils/use_kibana.tsx similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/public/utils/use_kibana.tsx rename to x-pack/solutions/observability/plugins/logs_explorer/public/utils/use_kibana.tsx diff --git a/x-pack/plugins/observability_solution/logs_explorer/server/index.ts b/x-pack/solutions/observability/plugins/logs_explorer/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/server/index.ts rename to x-pack/solutions/observability/plugins/logs_explorer/server/index.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/server/plugin.ts b/x-pack/solutions/observability/plugins/logs_explorer/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/server/plugin.ts rename to x-pack/solutions/observability/plugins/logs_explorer/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/server/types.ts b/x-pack/solutions/observability/plugins/logs_explorer/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/logs_explorer/server/types.ts rename to x-pack/solutions/observability/plugins/logs_explorer/server/types.ts diff --git a/x-pack/plugins/observability_solution/logs_explorer/tsconfig.json b/x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json similarity index 93% rename from x-pack/plugins/observability_solution/logs_explorer/tsconfig.json rename to x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json index b4376d2463c5c..a4ddeaf6e4b91 100644 --- a/x-pack/plugins/observability_solution/logs_explorer/tsconfig.json +++ b/x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json @@ -1,10 +1,10 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ - "../../../typings/**/*", + "../../../../typings/**/*", "common/**/*", "public/**/*", "server/**/*", diff --git a/x-pack/solutions/observability/plugins/observability/public/utils/datemath.ts b/x-pack/solutions/observability/plugins/observability/public/utils/datemath.ts index 2df754edbe7cb..81677c70e0a18 100644 --- a/x-pack/solutions/observability/plugins/observability/public/utils/datemath.ts +++ b/x-pack/solutions/observability/plugins/observability/public/utils/datemath.ts @@ -10,7 +10,7 @@ import { chain } from 'fp-ts/Either'; import { pipe } from 'fp-ts/pipeable'; import * as r from 'io-ts'; -// Copied from x-pack/plugins/observability_solution/infra/public/utils/datemath.ts +// Copied from x-pack/solutions/observability/plugins/infra/public/utils/datemath.ts export function isValidDatemath(value: string): boolean { const parsedValue = dateMath.parse(value); return !!(parsedValue && parsedValue.isValid()); diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/__mocks__/package_icon.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/__mocks__/package_icon.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/__mocks__/package_icon.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/__mocks__/package_icon.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/main.js b/x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/main.js similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/main.js rename to x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/main.js diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/preview.js b/x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/preview.js similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/.storybook/preview.js rename to x-pack/solutions/observability/plugins/observability_logs_explorer/.storybook/preview.js diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/README.md b/x-pack/solutions/observability/plugins/observability_logs_explorer/README.md similarity index 92% rename from x-pack/plugins/observability_solution/observability_logs_explorer/README.md rename to x-pack/solutions/observability/plugins/observability_logs_explorer/README.md index 8f060d48b04f5..ea66ef1f9a100 100644 --- a/x-pack/plugins/observability_solution/observability_logs_explorer/README.md +++ b/x-pack/solutions/observability/plugins/observability_logs_explorer/README.md @@ -57,11 +57,11 @@ unset FLEET_PACKAGE_REGISTRY_PORT #### Logs Explorer ``` -node scripts/type_check.js --project x-pack/plugins/observability_solution/logs_explorer/tsconfig.json +node scripts/type_check.js --project x-pack/solutions/observability/plugins/logs_explorer/tsconfig.json ``` #### Observability Logs Explorer ``` -node scripts/type_check.js --project x-pack/plugins/observability_solution/observability_logs_explorer/tsconfig.json +node scripts/type_check.js --project x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json ``` ### Generating Data using Synthtrace diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/data_view_locator.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/data_view_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/data_view_locator.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/data_view_locator.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/locators.test.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/locators.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/locators.test.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/locators.test.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/types.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/types.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/types.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/utils/construct_locator_path.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/utils/construct_locator_path.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/utils/construct_locator_path.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/utils/construct_locator_path.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/utils/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/utils/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/utils/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/utils/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/plugin_config.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/plugin_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/plugin_config.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/plugin_config.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/telemetry_events.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/telemetry_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/telemetry_events.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/telemetry_events.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/translations.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/translations.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/translations.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/translations.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/common.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/common.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/common.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/common.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v1.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v1.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v1.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v1.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v2.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v2.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v2.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/logs_explorer/url_schema_v2.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/common/utils/deep_compact_object.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/common/utils/deep_compact_object.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/common/utils/deep_compact_object.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/common/utils/deep_compact_object.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/emotion.d.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/emotion.d.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/emotion.d.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/emotion.d.ts diff --git a/x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js b/x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js new file mode 100644 index 0000000000000..0477c875d19d4 --- /dev/null +++ b/x-pack/solutions/observability/plugins/observability_logs_explorer/jest.config.js @@ -0,0 +1,18 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +module.exports = { + preset: '@kbn/test', + rootDir: '../../../../..', + roots: ['/x-pack/solutions/observability/plugins/observability_logs_explorer'], + coverageDirectory: + '/target/kibana-coverage/jest/x-pack/solutions/observability/plugins/observability_logs_explorer', + coverageReporters: ['text', 'html'], + collectCoverageFrom: [ + '/x-pack/solutions/observability/plugins/observability_logs_explorer/{common,public}/**/*.{ts,tsx}', + ], +}; diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/kibana.jsonc b/x-pack/solutions/observability/plugins/observability_logs_explorer/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/kibana.jsonc rename to x-pack/solutions/observability/plugins/observability_logs_explorer/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/last_used_logs_viewer.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/last_used_logs_viewer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/last_used_logs_viewer.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/last_used_logs_viewer.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/observability_logs_explorer.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/observability_logs_explorer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/observability_logs_explorer.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/observability_logs_explorer.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/redirect_to_observability_logs_explorer.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/redirect_to_observability_logs_explorer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/applications/redirect_to_observability_logs_explorer.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/applications/redirect_to_observability_logs_explorer.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/alerts_popover.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/alerts_popover.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/alerts_popover.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/alerts_popover.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/dataset_quality_link.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/dataset_quality_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/dataset_quality_link.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/dataset_quality_link.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/discover_link.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/discover_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/discover_link.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/discover_link.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/feedback_link.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/feedback_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/feedback_link.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/feedback_link.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/logs_explorer_top_nav_menu.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/logs_explorer_top_nav_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/logs_explorer_top_nav_menu.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/logs_explorer_top_nav_menu.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/onboarding_link.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/onboarding_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/onboarding_link.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/onboarding_link.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/components/page_template.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/page_template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/components/page_template.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/components/page_template.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/logs_explorer_customizations/discover_navigation_handler.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/logs_explorer_customizations/discover_navigation_handler.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/logs_explorer_customizations/discover_navigation_handler.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/logs_explorer_customizations/discover_navigation_handler.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/logs_explorer_customizations/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/logs_explorer_customizations/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/logs_explorer_customizations/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/logs_explorer_customizations/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/plugin.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/plugin.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/plugin.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/main/index.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/main/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/main/index.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/main/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/main/main_route.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/main/main_route.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/main/main_route.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/main/main_route.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/not_found.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/not_found.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/routes/not_found.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/routes/not_found.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/all_selection_service.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/all_selection_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/all_selection_service.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/all_selection_service.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/controller_service.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/controller_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/controller_service.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/controller_service.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/defaults.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/defaults.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/provider.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/provider.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/provider.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/provider.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/state_machine.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/state_machine.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/time_filter_service.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/time_filter_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/time_filter_service.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/time_filter_service.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/types.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/types.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/types.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v1.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v1.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v1.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v1.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v2.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v2.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v2.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_schema_v2.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_state_storage_service.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_state_storage_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_state_storage_service.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/url_state_storage_service.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/component.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/component.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/component.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/component.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/constants.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/constants.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/constants.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/constants.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/defaults.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/defaults.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/defaults.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/defaults.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/lazy_component.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/lazy_component.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/lazy_component.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/lazy_component.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/location_state_service.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/location_state_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/location_state_service.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/location_state_service.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/notifications.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/notifications.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/notifications.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/notifications.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/state_machine.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/state_machine.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/state_machine.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/state_machine.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/types.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/origin_interpreter/src/types.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/origin_interpreter/src/types.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/types.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/types.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/types.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/breadcrumbs.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/breadcrumbs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/breadcrumbs.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/breadcrumbs.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/kbn_url_state_context.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/kbn_url_state_context.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/kbn_url_state_context.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/kbn_url_state_context.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/use_kibana.tsx b/x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/use_kibana.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/public/utils/use_kibana.tsx rename to x-pack/solutions/observability/plugins/observability_logs_explorer/public/utils/use_kibana.tsx diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/server/config.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/server/config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/server/config.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/server/config.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/server/index.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/server/index.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/server/index.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/server/plugin.ts b/x-pack/solutions/observability/plugins/observability_logs_explorer/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_logs_explorer/server/plugin.ts rename to x-pack/solutions/observability/plugins/observability_logs_explorer/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/observability_logs_explorer/tsconfig.json b/x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json similarity index 94% rename from x-pack/plugins/observability_solution/observability_logs_explorer/tsconfig.json rename to x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json index 7b786ae5bc7ed..39db8187cfb28 100644 --- a/x-pack/plugins/observability_solution/observability_logs_explorer/tsconfig.json +++ b/x-pack/solutions/observability/plugins/observability_logs_explorer/tsconfig.json @@ -1,10 +1,10 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ - "../../../typings/**/*", + "../../../../typings/**/*", "common/**/*", "public/**/*", "server/**/*", diff --git a/x-pack/plugins/observability_solution/observability_onboarding/README.md b/x-pack/solutions/observability/plugins/observability_onboarding/README.md similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/README.md rename to x-pack/solutions/observability/plugins/observability_onboarding/README.md diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/aws_firehose.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/aws_firehose.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/aws_firehose.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/aws_firehose.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/__snapshots__/generate_custom_logs_yml.test.ts.snap b/x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/__snapshots__/generate_custom_logs_yml.test.ts.snap similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/__snapshots__/generate_custom_logs_yml.test.ts.snap rename to x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/__snapshots__/generate_custom_logs_yml.test.ts.snap diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/custom_logs/generate_custom_logs_yml.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/elastic_agent_logs/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/elastic_agent_logs/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/es_fields.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/es_fields.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/es_fields.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/es_fields.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/fetch_options.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/fetch_options.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/fetch_options.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/fetch_options.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/logs_flow_progress_step_id.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/logs_flow_progress_step_id.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/logs_flow_progress_step_id.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/logs_flow_progress_step_id.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/telemetry_events.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/telemetry_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/telemetry_events.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/telemetry_events.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/common/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/common/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/common/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/common/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/README.md b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/README.md similarity index 59% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/README.md rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/README.md index 5270b499d2db1..2c35d48fb5207 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/e2e/README.md +++ b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/README.md @@ -1,10 +1,10 @@ # Observability onboarding E2E tests -Observability onboarding uses [FTR](../../../../packages/kbn-test/README.mdx) (functional test runner) and [Cypress](https://www.cypress.io/) to run the e2e tests. The tests are located at `kibana/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e`. +Observability onboarding uses [FTR](../../../../../packages/kbn-test/README.mdx) (functional test runner) and [Cypress](https://www.cypress.io/) to run the e2e tests. The tests are located at `kibana/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e`. ## E2E Tests (Cypress) -The E2E tests are located in [`x-pack/plugins/observability_solution/observability_onboarding/e2e`](./cypress/e2e). +The E2E tests are located in [`x-pack/solutions/observability/plugins/observability_onboarding/e2e`](./cypress/e2e). Tests run on buildkite PR pipeline are parallelized (2 parallel jobs) and are orchestrated by the Cypress dashboard service. It can be configured in [.buildkite/pipelines/pull_request/observability_onboarding_cypress.yml](https://github.com/elastic/kibana/blob/main/.buildkite/pipelines/pull_request/observability_onboarding_cypress.yml) with the property `parallelism`. @@ -20,21 +20,21 @@ Tests run on buildkite PR pipeline are parallelized (2 parallel jobs) and are or ### Start test server ``` -node x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e --server +node x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e --server ``` ### Run tests Runs all tests in the terminal ``` -node x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e --runner +node x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e --runner ``` ### Open cypress dashboard Opens cypress dashboard, there it's possible to select what test you want to run. ``` -node x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e --open +node x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e --open ``` ### Arguments @@ -47,5 +47,5 @@ node x-pack/plugins/observability_solution/observability_onboarding/scripts/test | --bail | stop tests after the first failure | ``` -node x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e.js --runner --spec cypress/e2e/home.cy.ts --times 2 +node x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e.js --runner --spec cypress/e2e/home.cy.ts --times 2 ``` diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress.config.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress.config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress.config.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress.config.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/home.cy.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/home.cy.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/home.cy.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/home.cy.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/configure.cy.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/configure.cy.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/configure.cy.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/configure.cy.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/install_elastic_agent.cy.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/install_elastic_agent.cy.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/install_elastic_agent.cy.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/custom_logs/install_elastic_agent.cy.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/feedback.cy.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/feedback.cy.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/logs/feedback.cy.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/logs/feedback.cy.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/navigation.cy.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/navigation.cy.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/e2e/navigation.cy.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/e2e/navigation.cy.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/commands.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/commands.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/commands.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/commands.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/e2e.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/e2e.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/e2e.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/e2e.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/types.d.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/types.d.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress/support/types.d.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress/support/types.d.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress_test_runner.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress_test_runner.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/cypress_test_runner.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/cypress_test_runner.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_open.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_open.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_open.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_open.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_runner.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_runner.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_config_runner.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_config_runner.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_kibana.yml b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_kibana.yml similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_kibana.yml rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_kibana.yml diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_provider_context.d.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_provider_context.d.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/ftr_provider_context.d.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/ftr_provider_context.d.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/kibana.jsonc b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/kibana.jsonc rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/.gitignore b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/.gitignore similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/.gitignore rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/.gitignore diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/README.md b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/README.md similarity index 72% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/README.md rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/README.md index f2952214127f4..bd5bee5fc2f72 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/README.md +++ b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/README.md @@ -7,7 +7,7 @@ Playwright tests are only responsible for UI checks and do not automate onboardi ## Running The Tests Locally 1. Run ES and Kibana -2. Create a `.env` file in the `./x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/` directory with the following content (adjust the values like Kibana URL according yo your local setup): +2. Create a `.env` file in the `./x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/` directory with the following content (adjust the values like Kibana URL according yo your local setup): ```bash KIBANA_BASE_URL = "http://localhost:5601/ftw" ELASTICSEARCH_HOST = "http://localhost:9200" @@ -19,7 +19,7 @@ ARTIFACTS_FOLDER = ./.playwright 3. Run the `playwright test` ```bash # Assuming the working directory is the root of the Kibana repo -npx playwright test -c ./x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/playwright.config.ts --project stateful --reporter list --headed +npx playwright test -c ./x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/playwright.config.ts --project stateful --reporter list --headed ``` 4. Once the test reaches one of the required manual steps, like executing auto-detect command snippet, do the step manually. 5. The test will proceed once the manual step is done. diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/assert_env.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/assert_env.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/assert_env.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/assert_env.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/helpers.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/helpers.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/helpers.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/helpers.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/logger.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/logger.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/lib/logger.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/lib/logger.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/playwright.config.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/playwright.config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/playwright.config.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/playwright.config.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/auth.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/auth.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/auth.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/auth.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/auto_detect.spec.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/auto_detect.spec.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/auto_detect.spec.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/auto_detect.spec.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/fixtures/base_page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/fixtures/base_page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/fixtures/base_page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/fixtures/base_page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/kubernetes_ea.spec.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/kubernetes_ea.spec.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/kubernetes_ea.spec.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/kubernetes_ea.spec.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/components/header_bar.component.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/components/header_bar.component.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/components/header_bar.component.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/components/header_bar.component.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/components/space_selector.component.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/components/space_selector.component.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/components/space_selector.component.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/components/space_selector.component.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/auto_detect_flow.page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/auto_detect_flow.page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/auto_detect_flow.page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/auto_detect_flow.page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/host_details.page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/host_details.page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/host_details.page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/host_details.page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_ea_flow.page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_ea_flow.page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_ea_flow.page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_ea_flow.page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_overview_dashboard.page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_overview_dashboard.page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_overview_dashboard.page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/kubernetes_overview_dashboard.page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/onboarding_home.page.ts b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/onboarding_home.page.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/playwright/stateful/pom/pages/onboarding_home.page.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/playwright/stateful/pom/pages/onboarding_home.page.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/e2e/tsconfig.json b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.json similarity index 81% rename from x-pack/plugins/observability_solution/observability_onboarding/e2e/tsconfig.json rename to x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.json index a18951aeb8cf7..33051d690a6f7 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/e2e/tsconfig.json +++ b/x-pack/solutions/observability/plugins/observability_onboarding/e2e/tsconfig.json @@ -1,5 +1,5 @@ { - "extends": "../../../../../tsconfig.base.json", + "extends": "../../../../../../tsconfig.base.json", "include": ["**/*"], "exclude": ["tmp", "target/**/*"], "compilerOptions": { @@ -8,7 +8,7 @@ "isolatedModules": false }, "kbn_references": [ - { "path": "../../../test/tsconfig.json" }, + { "path": "../../../../test/tsconfig.json" }, "@kbn/test", "@kbn/dev-utils", "@kbn/cypress-config", diff --git a/x-pack/plugins/observability_solution/observability_onboarding/jest.config.js b/x-pack/solutions/observability/plugins/observability_onboarding/jest.config.js similarity index 69% rename from x-pack/plugins/observability_solution/observability_onboarding/jest.config.js rename to x-pack/solutions/observability/plugins/observability_onboarding/jest.config.js index a559c70e939bb..f8fa5a37286a8 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/jest.config.js +++ b/x-pack/solutions/observability/plugins/observability_onboarding/jest.config.js @@ -9,6 +9,6 @@ const path = require('path'); module.exports = { preset: '@kbn/test', - rootDir: path.resolve(__dirname, '../../../..'), - roots: ['/x-pack/plugins/observability_solution/observability_onboarding'], + rootDir: path.resolve(__dirname, '../../../../..'), + roots: ['/x-pack/solutions/observability/plugins/observability_onboarding'], }; diff --git a/x-pack/plugins/observability_solution/observability_onboarding/kibana.jsonc b/x-pack/solutions/observability/plugins/observability_onboarding/kibana.jsonc similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/kibana.jsonc rename to x-pack/solutions/observability/plugins/observability_onboarding/kibana.jsonc diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/app.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/app.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/app.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/app.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/demo_icon.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/demo_icon.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/demo_icon.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/demo_icon.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/docs_icon.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/docs_icon.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/docs_icon.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/docs_icon.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/footer.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/footer.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/footer.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/footer.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/forum_icon.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/forum_icon.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/forum_icon.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/forum_icon.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/support_icon.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/support_icon.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/footer/support_icon.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/footer/support_icon.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/header/background.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/background.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/header/background.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/background.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/header/custom_header.test.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/custom_header.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/header/custom_header.test.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/custom_header.test.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/header/custom_header.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/custom_header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/header/custom_header.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/custom_header.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/header/header.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/header.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/header/header.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/header.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/header/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/header/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/header/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/observability_onboarding_flow.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/observability_onboarding_flow.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/observability_onboarding_flow.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/observability_onboarding_flow.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/onboarding_flow_form.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/onboarding_flow_form.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/onboarding_flow_form.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/onboarding_flow_form.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/use_custom_cards_for_category.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/use_custom_cards_for_category.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/use_custom_cards_for_category.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/use_custom_cards_for_category.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/use_virtual_search_results.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/use_virtual_search_results.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/onboarding_flow_form/use_virtual_search_results.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/onboarding_flow_form/use_virtual_search_results.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/lazy.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/lazy.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/lazy.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/lazy.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/use_integration_card_list.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/use_integration_card_list.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/use_integration_card_list.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/use_integration_card_list.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/use_integration_card_list.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/use_integration_card_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/packages_list/use_integration_card_list.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/packages_list/use_integration_card_list.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/auto_detect.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/auto_detect.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/auto_detect.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/auto_detect.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/custom_logs.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/custom_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/custom_logs.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/custom_logs.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/firehose.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/firehose.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/firehose.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/firehose.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/kubernetes.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/kubernetes.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/kubernetes.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/kubernetes.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/landing.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/landing.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/landing.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/landing.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/otel_kubernetes.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/otel_kubernetes.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/otel_kubernetes.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/otel_kubernetes.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/otel_logs.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/otel_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/otel_logs.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/otel_logs.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/template.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/template.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/pages/template.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/pages/template.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/auto_detect_panel.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/auto_detect_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/auto_detect_panel.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/auto_detect_panel.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_auto_detect_command.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_auto_detect_command.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_auto_detect_command.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_auto_detect_command.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_installed_integrations.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_installed_integrations.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_installed_integrations.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_installed_integrations.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_onboarding_status.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_onboarding_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/get_onboarding_status.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/get_onboarding_status.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/supported_integrations_list.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/supported_integrations_list.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/supported_integrations_list.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/supported_integrations_list.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx similarity index 97% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx index 7824e8ddd59a2..7434141a76d35 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx +++ b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_onboarding_flow.tsx @@ -98,7 +98,7 @@ export function useOnboardingFlow() { ), }; }); - }, [installedIntegrations.length]); // eslint-disable-line react-hooks/exhaustive-deps + }, [installedIntegrations.length]); useInterval( refetchProgress, diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/api_key_banner.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/api_key_banner.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/api_key_banner.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/api_key_banner.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/configure_logs.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/configure_logs.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/configure_logs.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/configure_logs.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/get_filename.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/inspect.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/inspect.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/inspect.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/inspect.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx similarity index 98% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx index 51101ead8c339..004fe70efb02c 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx +++ b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/custom_logs/install_elastic_agent.tsx @@ -71,7 +71,6 @@ export function InstallElasticAgent() { return callApi('GET /internal/observability_onboarding/logs/setup/privileges'); } // FIXME: Dario could not find a reasonable fix for getState() - // eslint-disable-next-line react-hooks/exhaustive-deps }, []); const { data: setup } = useFetcher((callApi) => { @@ -105,7 +104,7 @@ export function InstallElasticAgent() { } }, // FIXME: Dario could not find a reasonable fix for getState() - // eslint-disable-next-line react-hooks/exhaustive-deps + [monitoringRole?.hasPrivileges] ); @@ -135,7 +134,6 @@ export function InstallElasticAgent() { }); } // FIXME: Dario could not find a reasonable fix for getState() - // eslint-disable-next-line react-hooks/exhaustive-deps }, []); const { apiKeyEncoded, onboardingId } = installShipperSetup ?? getState(); @@ -152,7 +150,7 @@ export function InstallElasticAgent() { } }, // FIXME: Dario could not find a reasonable fix for succesfullySavedOnboardingState - // eslint-disable-next-line react-hooks/exhaustive-deps + [apiKeyEncoded, onboardingId, succesfullySavedOnboardingState] ); diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/auto_refresh_callout.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/auto_refresh_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/auto_refresh_callout.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/auto_refresh_callout.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_command_snippet.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_command_snippet.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_command_snippet.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_command_snippet.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_in_aws_console.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_in_aws_console.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_in_aws_console.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/create_stack_in_aws_console.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/download_template_callout.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/download_template_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/download_template_callout.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/download_template_callout.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/existing_data_callout.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/existing_data_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/existing_data_callout.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/existing_data_callout.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/progress_callout.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/progress_callout.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/progress_callout.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/progress_callout.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_aws_service_get_started_list.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_aws_service_get_started_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_aws_service_get_started_list.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_aws_service_get_started_list.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_populated_aws_index_list.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_populated_aws_index_list.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_populated_aws_index_list.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_populated_aws_index_list.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/utils.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/utils.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/utils.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/utils.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/visualize_data.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/visualize_data.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/visualize_data.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/visualize_data.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/build_kubectl_command.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/build_kubectl_command.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/build_kubectl_command.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/build_kubectl_command.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/command_snippet.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/command_snippet.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/command_snippet.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/command_snippet.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/data_ingest_status.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/data_ingest_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/data_ingest_status.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/data_ingest_status.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/otel_kubernetes_panel.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/otel_kubernetes_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/otel_kubernetes_panel.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_kubernetes/otel_kubernetes_panel.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_logs/index.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_logs/index.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_logs/index.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_logs/index.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_logs/multi_integration_install_banner.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_logs/multi_integration_install_banner.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/otel_logs/multi_integration_install_banner.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/otel_logs/multi_integration_install_banner.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/accordion_with_icon.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/accordion_with_icon.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/accordion_with_icon.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/accordion_with_icon.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/copy_to_clipboard_button.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/copy_to_clipboard_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/copy_to_clipboard_button.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/copy_to_clipboard_button.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_elastic_agent_setup_command.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_elastic_agent_setup_command.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_elastic_agent_setup_command.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_elastic_agent_setup_command.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/install_elastic_agent_steps.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/install_elastic_agent_steps.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/install_elastic_agent_steps.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/install_elastic_agent_steps.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/locator_button_empty.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/locator_button_empty.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/locator_button_empty.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/locator_button_empty.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/optional_form_row.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/optional_form_row.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/optional_form_row.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/optional_form_row.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/popover_tooltip.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/popover_tooltip.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/popover_tooltip.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/popover_tooltip.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/progress_indicator.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/progress_indicator.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/progress_indicator.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/progress_indicator.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/step_panel.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/step_panel.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/step_panel.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/step_panel.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/step_status.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/step_status.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/step_status.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/step_status.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/troubleshooting_link.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/troubleshooting_link.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/troubleshooting_link.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/troubleshooting_link.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/windows_install_step.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/windows_install_step.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/windows_install_step.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/windows_install_step.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/back_button.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/back_button.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/back_button.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/back_button.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/header_action_menu.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/header_action_menu.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/header_action_menu.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/header_action_menu.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/logo_icon.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/logo_icon.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/logo_icon.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/logo_icon.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/test_wrapper.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/test_wrapper.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/test_wrapper.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/test_wrapper.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/use_custom_margin.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/use_custom_margin.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/application/shared/use_custom_margin.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/application/shared/use_custom_margin.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/apache.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apache.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/apache.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apache.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/apache_tomcat.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apache_tomcat.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/apache_tomcat.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apache_tomcat.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/apple.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apple.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/apple.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/apple.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/auto_detect.sh b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/auto_detect.sh similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/auto_detect.sh rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/auto_detect.sh diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/charts_screen.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/charts_screen.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/charts_screen.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/charts_screen.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/docker.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/docker.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/docker.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/docker.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/dotnet.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/dotnet.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/dotnet.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/dotnet.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/firehose.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/firehose.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/firehose.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/firehose.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/haproxy.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/haproxy.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/haproxy.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/haproxy.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/integrations.conf b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/integrations.conf similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/integrations.conf rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/integrations.conf diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/java.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/java.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/java.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/java.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/javascript.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/javascript.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/javascript.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/javascript.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/kafka.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/kafka.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/kafka.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/kafka.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/kubernetes.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/kubernetes.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/kubernetes.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/kubernetes.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/linux.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/linux.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/linux.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/linux.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/mongodb.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/mongodb.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/mongodb.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/mongodb.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/mysql.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/mysql.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/mysql.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/mysql.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/nginx.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/nginx.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/nginx.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/nginx.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/opentelemetry.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/opentelemetry.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/opentelemetry.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/opentelemetry.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/postgresql.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/postgresql.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/postgresql.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/postgresql.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/rabbitmq.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/rabbitmq.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/rabbitmq.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/rabbitmq.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/redis.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/redis.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/redis.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/redis.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/ruby.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/ruby.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/ruby.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/ruby.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/standalone_agent_setup.sh b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/standalone_agent_setup.sh similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/standalone_agent_setup.sh rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/standalone_agent_setup.sh diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/system.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/system.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/system.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/system.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/assets/waterfall_screen.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/assets/waterfall_screen.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/assets/waterfall_screen.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/assets/waterfall_screen.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/context/create_wizard_context.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/context/create_wizard_context.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/context/create_wizard_context.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/context/create_wizard_context.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/context/nav_events.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/context/nav_events.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/context/nav_events.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/context/nav_events.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/context/path.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/context/path.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/context/path.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/context/path.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_fetcher.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_fetcher.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_fetcher.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_fetcher.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.test.tsx b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.test.tsx similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.test.tsx rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.test.tsx diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_install_integrations.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_install_integrations.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_install_integrations.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_install_integrations.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_kibana.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_kibana.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_kibana.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_kibana.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_kibana_navigation.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_kibana_navigation.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_kibana_navigation.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_kibana_navigation.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/apache.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/apache.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/apache.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/apache.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/apm.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/apm.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/apm.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/apm.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/aws.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/aws.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/aws.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/aws.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/azure.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/azure.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/azure.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/azure.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/gcp.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/gcp.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/gcp.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/gcp.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/kinesis.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/kinesis.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/kinesis.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/kinesis.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/kubernetes.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/kubernetes.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/kubernetes.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/kubernetes.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/logging.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/logging.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/logging.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/logging.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/nginx.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/nginx.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/nginx.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/nginx.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/opentelemetry.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/opentelemetry.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/opentelemetry.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/opentelemetry.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/system.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/system.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/system.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/system.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/icons/universal_profiling.svg b/x-pack/solutions/observability/plugins/observability_onboarding/public/icons/universal_profiling.svg similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/icons/universal_profiling.svg rename to x-pack/solutions/observability/plugins/observability_onboarding/public/icons/universal_profiling.svg diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/get_location.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/get_location.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/get_location.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/get_location.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/get_location.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/get_location.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/get_location.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/get_location.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/locator_definition.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/locator_definition.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/locator_definition.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/locator_definition.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/locator_definition.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/locator_definition.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/locator_definition.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/locator_definition.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/locators/onboarding_locator/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/locators/onboarding_locator/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/plugin.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/plugin.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/plugin.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/services/rest/call_api.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/services/rest/call_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/services/rest/call_api.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/services/rest/call_api.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/public/services/rest/create_call_api.ts b/x-pack/solutions/observability/plugins/observability_onboarding/public/services/rest/create_call_api.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/public/services/rest/create_call_api.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/public/services/rest/create_call_api.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/scripts/test/api.js b/x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/api.js similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/scripts/test/api.js rename to x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/api.js diff --git a/x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e.js b/x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e.js similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/scripts/test/e2e.js rename to x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/e2e.js diff --git a/x-pack/plugins/observability_solution/observability_onboarding/scripts/test/jest.js b/x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/jest.js similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/scripts/test/jest.js rename to x-pack/solutions/observability/plugins/observability_onboarding/scripts/test/jest.js diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/config.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/config.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/config.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/config.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/create_install_api_key.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/create_install_api_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/create_install_api_key.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/create_install_api_key.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/create_shipper_api_key.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/create_shipper_api_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/create_shipper_api_key.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/create_shipper_api_key.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/has_log_monitoring_privileges.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/has_log_monitoring_privileges.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/has_log_monitoring_privileges.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/has_log_monitoring_privileges.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/privileges.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/privileges.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/api_key/privileges.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/api_key/privileges.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_agent_version.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_agent_version.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_agent_version.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_agent_version.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_authentication_api_key.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_authentication_api_key.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_authentication_api_key.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_authentication_api_key.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_fallback_urls.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_fallback_urls.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/get_fallback_urls.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/get_fallback_urls.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/get_observability_onboarding_flow.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/get_observability_onboarding_flow.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/get_observability_onboarding_flow.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/get_observability_onboarding_flow.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/save_observability_onboarding_flow.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/save_observability_onboarding_flow.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/lib/state/save_observability_onboarding_flow.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/lib/state/save_observability_onboarding_flow.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/plugin.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/plugin.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/plugin.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/plugin.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/create_observability_onboarding_server_route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/create_observability_onboarding_server_route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/create_observability_onboarding_server_route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/create_observability_onboarding_server_route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/elastic_agent/route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/elastic_agent/route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/elastic_agent/route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/elastic_agent/route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/firehose/route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/firehose/route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/firehose/route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/firehose/route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/get_has_logs.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/get_has_logs.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/get_has_logs.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/get_has_logs.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/make_tar.test.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/make_tar.test.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/make_tar.test.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/make_tar.test.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/make_tar.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/make_tar.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/make_tar.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/make_tar.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/flow/route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/flow/route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/kubernetes/route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/kubernetes/route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/kubernetes/route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/kubernetes/route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/logs/route.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/logs/route.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/logs/route.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/logs/route.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/routes/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/routes/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/routes/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/routes/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/saved_objects/observability_onboarding_status.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/saved_objects/observability_onboarding_status.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/saved_objects/observability_onboarding_status.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/saved_objects/observability_onboarding_status.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/services/es_legacy_config_service.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/services/es_legacy_config_service.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/services/es_legacy_config_service.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/services/es_legacy_config_service.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/authentication.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/authentication.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/authentication.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/authentication.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/call_kibana.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/call_kibana.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/call_kibana.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/call_kibana.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_custom_role.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_custom_role.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_custom_role.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_custom_role.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_or_update_user.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_or_update_user.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_or_update_user.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/helpers/create_or_update_user.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/index.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/index.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/test_helpers/create_observability_onboarding_users/index.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/test_helpers/create_observability_onboarding_users/index.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/server/types.ts b/x-pack/solutions/observability/plugins/observability_onboarding/server/types.ts similarity index 100% rename from x-pack/plugins/observability_solution/observability_onboarding/server/types.ts rename to x-pack/solutions/observability/plugins/observability_onboarding/server/types.ts diff --git a/x-pack/plugins/observability_solution/observability_onboarding/tsconfig.json b/x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.json similarity index 93% rename from x-pack/plugins/observability_solution/observability_onboarding/tsconfig.json rename to x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.json index 3893e1d5c6b57..23526b5fdcb56 100644 --- a/x-pack/plugins/observability_solution/observability_onboarding/tsconfig.json +++ b/x-pack/solutions/observability/plugins/observability_onboarding/tsconfig.json @@ -1,12 +1,12 @@ { - "extends": "../../../../tsconfig.base.json", + "extends": "../../../../../tsconfig.base.json", "compilerOptions": { "outDir": "target/types" }, "include": [ "common/**/*", "public/**/*", - "../../../../typings/**/*", + "../../../../../typings/**/*", "public/**/*.json", "server/**/*" ], diff --git a/yarn.lock b/yarn.lock index 58329763b0fb5..84be1ce3cd650 100644 --- a/yarn.lock +++ b/yarn.lock @@ -5189,7 +5189,7 @@ version "0.0.0" uid "" -"@kbn/custom-icons@link:packages/kbn-custom-icons": +"@kbn/custom-icons@link:src/platform/packages/shared/kbn-custom-icons": version "0.0.0" uid "" @@ -5197,7 +5197,7 @@ version "0.0.0" uid "" -"@kbn/custom-integrations@link:packages/kbn-custom-integrations": +"@kbn/custom-integrations@link:x-pack/solutions/observability/packages/kbn-custom-integrations": version "0.0.0" uid "" @@ -5221,7 +5221,7 @@ version "0.0.0" uid "" -"@kbn/data-quality-plugin@link:x-pack/plugins/data_quality": +"@kbn/data-quality-plugin@link:x-pack/platform/plugins/shared/data_quality": version "0.0.0" uid "" @@ -5269,7 +5269,7 @@ version "0.0.0" uid "" -"@kbn/dataset-quality-plugin@link:x-pack/plugins/observability_solution/dataset_quality": +"@kbn/dataset-quality-plugin@link:x-pack/platform/plugins/shared/dataset_quality": version "0.0.0" uid "" @@ -5361,7 +5361,7 @@ version "0.0.0" uid "" -"@kbn/discover-contextual-components@link:packages/kbn-discover-contextual-components": +"@kbn/discover-contextual-components@link:src/platform/packages/shared/kbn-discover-contextual-components": version "0.0.0" uid "" @@ -5409,7 +5409,7 @@ version "0.0.0" uid "" -"@kbn/elastic-agent-utils@link:packages/kbn-elastic-agent-utils": +"@kbn/elastic-agent-utils@link:src/platform/packages/shared/kbn-elastic-agent-utils": version "0.0.0" uid "" @@ -5721,7 +5721,7 @@ version "0.0.0" uid "" -"@kbn/fields-metadata-plugin@link:x-pack/plugins/fields_metadata": +"@kbn/fields-metadata-plugin@link:x-pack/platform/plugins/shared/fields_metadata": version "0.0.0" uid "" @@ -5953,7 +5953,7 @@ version "0.0.0" uid "" -"@kbn/infra-plugin@link:x-pack/plugins/observability_solution/infra": +"@kbn/infra-plugin@link:x-pack/solutions/observability/plugins/infra": version "0.0.0" uid "" @@ -6157,15 +6157,15 @@ version "0.0.0" uid "" -"@kbn/logs-data-access-plugin@link:x-pack/plugins/observability_solution/logs_data_access": +"@kbn/logs-data-access-plugin@link:x-pack/platform/plugins/shared/logs_data_access": version "0.0.0" uid "" -"@kbn/logs-explorer-plugin@link:x-pack/plugins/observability_solution/logs_explorer": +"@kbn/logs-explorer-plugin@link:x-pack/solutions/observability/plugins/logs_explorer": version "0.0.0" uid "" -"@kbn/logs-shared-plugin@link:x-pack/plugins/observability_solution/logs_shared": +"@kbn/logs-shared-plugin@link:x-pack/platform/plugins/shared/logs_shared": version "0.0.0" uid "" @@ -6489,19 +6489,19 @@ version "0.0.0" uid "" -"@kbn/observability-logs-explorer-plugin@link:x-pack/plugins/observability_solution/observability_logs_explorer": +"@kbn/observability-logs-explorer-plugin@link:x-pack/solutions/observability/plugins/observability_logs_explorer": version "0.0.0" uid "" -"@kbn/observability-logs-overview@link:x-pack/packages/observability/logs_overview": +"@kbn/observability-logs-overview@link:x-pack/platform/packages/shared/observability/logs_overview": version "0.0.0" uid "" -"@kbn/observability-onboarding-e2e@link:x-pack/plugins/observability_solution/observability_onboarding/e2e": +"@kbn/observability-onboarding-e2e@link:x-pack/solutions/observability/plugins/observability_onboarding/e2e": version "0.0.0" uid "" -"@kbn/observability-onboarding-plugin@link:x-pack/plugins/observability_solution/observability_onboarding": +"@kbn/observability-onboarding-plugin@link:x-pack/solutions/observability/plugins/observability_onboarding": version "0.0.0" uid "" @@ -6665,7 +6665,7 @@ version "0.0.0" uid "" -"@kbn/react-hooks@link:packages/kbn-react-hooks": +"@kbn/react-hooks@link:src/platform/packages/shared/kbn-react-hooks": version "0.0.0" uid "" @@ -6833,7 +6833,7 @@ version "0.0.0" uid "" -"@kbn/router-utils@link:packages/kbn-router-utils": +"@kbn/router-utils@link:src/platform/packages/shared/kbn-router-utils": version "0.0.0" uid "" @@ -7681,7 +7681,7 @@ version "0.0.0" uid "" -"@kbn/timerange@link:packages/kbn-timerange": +"@kbn/timerange@link:src/platform/packages/shared/kbn-timerange": version "0.0.0" uid "" @@ -7953,7 +7953,7 @@ version "0.0.0" uid "" -"@kbn/xstate-utils@link:packages/kbn-xstate-utils": +"@kbn/xstate-utils@link:src/platform/packages/shared/kbn-xstate-utils": version "0.0.0" uid "" From b746c39ca04446301747c17cd845b1582db05396 Mon Sep 17 00:00:00 2001 From: Bharat Pasupula <123897612+bhapas@users.noreply.github.com> Date: Thu, 19 Dec 2024 23:22:20 +0100 Subject: [PATCH 24/31] [Automatic Import] Fix UI validation for Integration and Datastream name (#204943) ## Release Note Fixes Integration and Datastream name validation ## Summary https://github.com/elastic/kibana/pull/204409 implemented backend validation for integration and datastream names and this PR fixes allowing numbers on backend image Closes https://github.com/elastic/kibana/issues/204935 ### Checklist Check the PR satisfies following conditions. Reviewers should verify this PR satisfies this list as well. - [x] Any text added follows [EUI's writing guidelines](https://elastic.github.io/eui/#/guidelines/writing), uses sentence case text and includes [i18n support](https://github.com/elastic/kibana/blob/main/packages/kbn-i18n/README.md) - [x] The PR description includes the appropriate Release Notes section, and the correct `release_note:*` label is applied per the [guidelines](https://www.elastic.co/guide/en/kibana/master/contributing.html#kibana-release-notes-process) --- .../server/integration_builder/build_integration.test.ts | 6 ------ .../server/integration_builder/build_integration.ts | 6 +++--- 2 files changed, 3 insertions(+), 9 deletions(-) diff --git a/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.test.ts b/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.test.ts index 01d3976b9dd6b..294105a1621af 100644 --- a/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.test.ts +++ b/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.test.ts @@ -292,12 +292,6 @@ describe('isValidName', () => { expect(isValidName('anotherValidName')).toBe(true); }); - it('should return false for names with numbers', () => { - expect(isValidName('invalid123')).toBe(false); - expect(isValidName('123invalid')).toBe(false); - expect(isValidName('invalid_123')).toBe(false); - }); - it('should return false for empty string', () => { expect(isValidName('')).toBe(false); }); diff --git a/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.ts b/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.ts index e63e7d0648da7..959f1ef093832 100644 --- a/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.ts +++ b/x-pack/platform/plugins/shared/integration_assistant/server/integration_builder/build_integration.ts @@ -36,7 +36,7 @@ export async function buildPackage(integration: Integration): Promise { if (!isValidName(integration.name)) { throw new Error( - `Invalid integration name: ${integration.name}, Should only contain letters and underscores` + `Invalid integration name: ${integration.name}, Should only contain letters, numbers and underscores` ); } @@ -49,7 +49,7 @@ export async function buildPackage(integration: Integration): Promise { const dataStreamName = dataStream.name; if (!isValidName(dataStreamName)) { throw new Error( - `Invalid datastream name: ${dataStreamName}, Should only contain letters and underscores` + `Invalid datastream name: ${dataStreamName}, Should only contain letters, numbers and underscores` ); } const specificDataStreamDir = joinPath(dataStreamsDir, dataStreamName); @@ -77,7 +77,7 @@ export async function buildPackage(integration: Integration): Promise { return zipBuffer; } export function isValidName(input: string): boolean { - const regex = /^[a-zA-Z_]+$/; + const regex = /^[a-zA-Z0-9_]+$/; return input.length > 0 && regex.test(input); } function createDirectories( From 5b8ffd6d985b5e6e5597879fb2e0f6a17ed6d53c Mon Sep 17 00:00:00 2001 From: wajihaparvez Date: Thu, 19 Dec 2024 18:50:43 -0600 Subject: [PATCH 25/31] [Docs] Update dashboard docs for hover actions (#204844) ## Summary Updated instructions and visuals for the new hover actions feature. Also came across a mention of the Replace panel action and removed it ([#178596](https://github.com/elastic/kibana/pull/178596)). Rel: [#182535](https://github.com/elastic/kibana/pull/182535) and [#596](https://github.com/elastic/platform-docs-team/issues/596) Closes: [#580](https://github.com/elastic/platform-docs-team/issues/580) --- .../user/dashboard/create-dashboards.asciidoc | 21 +++---- .../dashboard/create-visualizations.asciidoc | 12 ++-- .../dashboard/dashboard-controls.asciidoc | 6 +- .../images/dashboard-panel-maximized.png | Bin 349844 -> 48828 bytes .../images/duplicate-panels-8.15.0.png | Bin 48224 -> 0 bytes docs/user/dashboard/images/edit-link-icon.png | Bin 0 -> 4605 bytes .../dashboard/images/edit-links-panel.png | Bin 0 -> 52059 bytes .../images/edit-visualization-icon.png | Bin 0 -> 3602 bytes docs/user/dashboard/images/move-control.png | Bin 0 -> 4436 bytes .../images/settings-icon-hover-action.png | Bin 0 -> 4985 bytes .../images/vertical-actions-menu.png | Bin 0 -> 3585 bytes docs/user/dashboard/lens.asciidoc | 10 +-- docs/user/dashboard/links-panel.asciidoc | 8 +-- docs/user/dashboard/share-dashboards.asciidoc | 9 +-- ...create-a-dashboard-of-lens-panels.asciidoc | 10 ++- docs/user/dashboard/use-dashboards.asciidoc | 59 +++++++++--------- 16 files changed, 62 insertions(+), 73 deletions(-) delete mode 100644 docs/user/dashboard/images/duplicate-panels-8.15.0.png create mode 100644 docs/user/dashboard/images/edit-link-icon.png create mode 100644 docs/user/dashboard/images/edit-links-panel.png create mode 100644 docs/user/dashboard/images/edit-visualization-icon.png create mode 100644 docs/user/dashboard/images/move-control.png create mode 100644 docs/user/dashboard/images/settings-icon-hover-action.png create mode 100644 docs/user/dashboard/images/vertical-actions-menu.png diff --git a/docs/user/dashboard/create-dashboards.asciidoc b/docs/user/dashboard/create-dashboards.asciidoc index 8b0d5e5f524fd..2bc2825cd4fda 100644 --- a/docs/user/dashboard/create-dashboards.asciidoc +++ b/docs/user/dashboard/create-dashboards.asciidoc @@ -56,7 +56,7 @@ image::images/add_content_to_dashboard_8.15.0.png[Options to add content to your .. Click *Apply*. + [role="screenshot"] -image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt532d6c9ca72817d6/66f31b1f80b55f3a20e1a329/dashboard_settings_8.15.0.gif[Change and apply dashboard settings, width 30%] +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt4a6e9807f1fac9f8/6750ee9cef6d5a250c229e50/dashboard-settings-8.17.0.gif[Change and apply dashboard settings, width 30%] . Click **Save** to save the dashboard. @@ -74,14 +74,14 @@ TIP: When looking for a specific dashboard, you can filter them by tag or by cre . Make sure that you are in **Edit** mode to be able to make changes to the dashboard. You can switch between **Edit** and **View** modes from the toolbar. + [role="screenshot"] -image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/bltf75cdb828cef8b5a/66f5cfcfad4f59f38b73ba64/switch-to-view-mode-8.15.0.gif[Switch between Edit and View modes, width 30%] +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt619b284e92c2be27/6750f3a512a5eae780936fe3/switch-to-view-mode-8.17.0.gif[Switch between Edit and View modes, width 30%] . Make the changes that you need to the dashboard: ** Adjust the dashboard's settings ** <> ** <> [[save-dashboards]] -. **Save** the dashboard. You can then leave the **Edit** mode and *Switch to view mode*. +. **Save** the dashboard. You automatically switch to *View* mode upon saving. NOTE: Managed dashboards can't be edited directly, but you can <> them and edit these duplicates. @@ -98,7 +98,7 @@ NOTE: Once changes are saved, you can no longer revert them in one click, and in + [role="screenshot"] -image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/bltcd3dbda9caf48a9b/66f4957fc9f9c71ce7533774/reset-dashboard-8.15.0.gif[Reset dashboard to revert unsaved changes, width 30%] +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blte0c08bede75b3874/6750f5566cdeea14b273b048/reset-dashboard-8.17.0.gif[Reset dashboard to revert unsaved changes, width 30%] include::dashboard-controls.asciidoc[leveloffset=-1] @@ -116,11 +116,11 @@ Compare the data in your panels side-by-side, organize panels by priority, resiz In the toolbar, click *Edit*, then use the following options: -* To move, click and hold the panel header, then drag to the new location. +* To move, hover over the panel, click and hold image:images/move-control.png[The move control icon, width=4%], then drag to the new location. * To resize, click the resize control, then drag to the new dimensions. -* To maximize to full screen, open the panel menu, then click *More > Maximize*. +* To maximize to full screen, open the panel menu and click *Maximize*. + TIP: If you <> a dashboard while viewing a full screen panel, the generated link will directly open the same panel in full screen mode. @@ -138,10 +138,7 @@ Duplicated panels appear next to the original panel, and move the other panels t . In the toolbar, click *Edit*. -. Open the panel menu, then select *Duplicate*. -+ -[role="screenshot"] -image::images/duplicate-panels-8.15.0.png[Duplicate a panel, width=50%] +. Open the panel menu and select *Duplicate*. [float] [[copy-to-dashboard]] @@ -149,12 +146,12 @@ image::images/duplicate-panels-8.15.0.png[Duplicate a panel, width=50%] Copy panels from one dashboard to another dashboard. -. Open the panel menu, then select *More > Copy to dashboard*. +. Open the panel menu and select *Copy to dashboard*. . On the *Copy to dashboard* window, select the dashboard, then click *Copy and go to dashboard*. + [role="screenshot"] -image:https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt64206db263cf5514/66f49286833cffb09bebd18d/copy-to-dashboard-8.15.0.gif[Copy a panel to another dashboard, width 30%] +image:https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt48304cb3cd1ee2e6/6753879eb7c4663812148d47/copy-to-dashboard-8.17.0.gif[Copy a panel to another dashboard, width 30%] [[duplicate-dashboards]] == Duplicate dashboards diff --git a/docs/user/dashboard/create-visualizations.asciidoc b/docs/user/dashboard/create-visualizations.asciidoc index f0cf95733a972..abe9a0ef45cfb 100644 --- a/docs/user/dashboard/create-visualizations.asciidoc +++ b/docs/user/dashboard/create-visualizations.asciidoc @@ -110,7 +110,7 @@ If you created the panel from the *Visualize Library*: To add unsaved dashboard panels to the *Visualize Library*: -. Open the panel menu, then select *More > Save to library*. +. Open the panel menu and select *Save to library*. . Enter the panel title, then click *Save*. @@ -155,7 +155,7 @@ There are three types of *Discover* interactions you can add to dashboard panels + To enable panel interactions, configure <> in kibana.yml. If you are using 7.13.0 and earlier, panel interactions are enabled by default. + -To use panel interactions, open the panel menu, then click *Explore underlying data*. +To use panel interactions, open the panel menu and click *Explore underlying data*. * *Series data interactions* — Opens the series data in *Discover*. + @@ -165,7 +165,7 @@ To use series data interactions, click a data series in the panel. * *Discover session interactions* — Opens <> data in *Discover*. + -To use saved Discover session interactions, open the panel menu, then click *More > View Discover session*. +To use saved Discover session interactions, open the panel menu and click *View Discover session*. [[edit-panels]] === Edit panels @@ -178,15 +178,13 @@ To make changes to the panel, use the panel menu options. * *Edit visualization* — Opens the editor so you can make changes to the panel. + -To make changes without changing the original version, open the panel menu, then click *More > Unlink from library*. +To make changes without changing the original version, open the panel menu and click *Unlink from library*. * *Convert to Lens* — Opens *TSVB* and aggregation-based visualizations in *Lens*. * *Settings* — Opens the *Settings* window to change the *title*, *description*, and *time range*. -* *More > Replace panel* — Opens the *Visualize Library* so you can select a new panel to replace the existing panel. - -* *More > Delete from dashboard* — Removes the panel from the dashboard. +* *Remove* — Removes the panel from the dashboard. + If you want to use the panel later, make sure that you save the panel to the *Visualize Library*. diff --git a/docs/user/dashboard/dashboard-controls.asciidoc b/docs/user/dashboard/dashboard-controls.asciidoc index 1db623f7cea96..629bcfbdff36e 100644 --- a/docs/user/dashboard/dashboard-controls.asciidoc +++ b/docs/user/dashboard/dashboard-controls.asciidoc @@ -23,7 +23,7 @@ image::images/dashboard_controlsRangeSlider_8.3.0.png[Range slider control for t + For example, you are using the *[Logs] Web Traffic* dashboard from the sample web logs data, and the global time filter is *Last 7 days*. When you add the time slider, you can click the previous and next buttons to advance the time range backward or forward, and click the play button to watch how the data changes over the last 7 days. [role="screenshot"] -image::images/dashboard_timeSliderControl_8.7.0.gif[Time slider control for the the Last 7 days] +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt672f3aaadf9ea5a6/6750dd6c2452f972af0a88b4/dashboard_timeslidercontrol_8.17.0.gif[Time slider control for the the Last 7 days] [float] [[create-and-add-options-list-and-range-slider-controls]] @@ -54,10 +54,10 @@ TIP: Range sliders are for Number type fields only. . Specify the additional settings: -* For option lists: +* For Options lists: ** Define whether users can select multiple values to filter with the control, or only one. -** For option list controls on _string_ and _IP address_ type fields, you can define how the control's embedded search should behave: +** For Options list controls on _string_ and _IP address_ type fields, you can define how the control's embedded search should behave: *** **Prefix**: Show options that _start with_ the entered value. *** **Contains**: Show options that _contain_ the entered value. This setting option is only available for _string_ type fields. Results can take longer to show with this option. diff --git a/docs/user/dashboard/images/dashboard-panel-maximized.png b/docs/user/dashboard/images/dashboard-panel-maximized.png index 26d0dc448c990ac30231cd4b2d97786a89567c55..1be941430b913f28e669fb4864f2220adb33054a 100644 GIT binary patch literal 48828 zcmcG0by!r}_cyJe2#AV+gmlR$DGh>jN{N)x-QCDVP&!AtyQF)tkdi?<1{kCV7?2hQ znD>nLet-9Sh2Q(fecspS!8zybv-e(Wuf6yBtk~zZx~d#85fu>@78bFByv!3UEWB_m zEF6)`1i+K9+-wHm2ix_D+#{??=p6)bV`BbP!9qm^ivzg6jD;O$jfIDK1^A-^{($Q7 zudprwzt@33^=xb`T;LZQQ=X0UpEvQsvvL1(jUxh-V@YXBD<}ZJnx-!1<_@k_j&6F_ zBh`V5S1mpa()iLZJIRAReB3z#I2my&c?Mc-?bwW&E>||Fk1x?rQ2{?c`?d z=s=HY_l1e0yPFsT1E!<@`S&NC=3dr+_vGOE7h3>>AWRA90r!2-|FjKM6~#OiR=4&t zx6_lcwg-j>=tG=e@PX*B_s^C5-Q$1NeEN6I2M+}9|992@D*C;uwyU{|w4*)Hr{lA9d&vE|s6c}i6B2m!)2u+;m-KMTA7M3KIf{c`w7xu=?rJx(5 zr|-AvoI+zv6G)toOAgXj%YLuaFB zMGU@Ep$~n#%3B*-JzdSWEDj+F)5wi9L0(6363>GG)U0D)L4hR=#VtHiNi6Jt{uj){ zsSf#SBt#L7g>#uc=%4>R$G=RvO@jSf72uX_0S7O<_ooCFH{JO{ddbfn=buVuM_&0H z+Isf&tFnTsYI0=cRiS`%(XsF8Y;piixl-8%%`VsJ=s?<~T5(NH??9*6;E(?FK_RRF zRgxn_P9)(|m3iMWH#zvdU=V0>a?&HP@i5pW2hypGW_#%MBb!O5oQsNzL0oH9e0wCi z-d5{C%h&2E&Se>+_pc87LH^3Bs&R>lH%jzsEg(|4R;?sIj&B_WDy0Jq=4wj9ySk3W zvWvw&iRBl++=#)#F}lUp?N7gWgO^4q|3i*ld(J9NC_aWUdJg>F6rHpW(g#I~Nxe^+ zUCc#<`8p!Li^pb>!pJ1Cf>%kMHnFvvFUiP-4JrZ^vfttpxzJsvq^}w7ebcOQ=NhJ! z>^;16$vA@7d;H=Zp(x3KM|QskLQZlE+a$o5Bs^0*uK>fYGf`7J$sfuxIYME#g|yOV zK2!rz3?8C*CrB`SRnU8>i6k)~a1aO6;zRtVOE-#Gx*lOhRPB8~K>g+1)mE)%kr=to zDZX#!Z7Nk}242MqetP|zH38Qzk(=w%cc8Gab8AqJA)Inp!8~m5;RNRIhMUbWZ~i4p zgUh7!F2OQ4|Lf6Th4jhzkCy4*EL~Zi`up|2uHI)z4i(Z26`GSzR{Lf}X7LO(4oBs^ zn%vigpB8HM*4=}7B5PM@#hbGD9MroSK*_xr*-{WAK<>7q_u)KrM^$e@;N;AkZpmW4 z2l9_PIUuSQ%mR2eZf^hHz@`}^hF|jVPT!!d zd7|czV)?O78@G0GDJ%xhl_)!M?|b{K(-vICrzo5^2?h^O6GBFG$*F4ev_ z1>g6cxkMz^X}5|`aeQ(z?jKtIYi)e43qsp=pna5$`6$9LWBMHb#Q5-Z{JRtuwkHnU zPef&}tFP}GuW*q@$P`|fVs%3LT&zHjFL+GgIYrNMV)u<&!&Z+TS9E|*GMABERe>5D z;({{XjD1#b^LS^9$bVyF!|v!u2+1NUh1cw8XKAR})spfkt5c2v!c)nQl>*{eqNv|yy&@AKxg?7fTyr-TaGm(_Tg_|5&-HqZmi9qj6ySVk5eKNF4pK1uZ+pzMN>T;fZnBX-IezB6p zH~_gnM)2Bg##YIj*QP+Tb=k;PC&fW+eL3neikX>Tg+sUWHd(}@7mKN$BTJlI>!93?$Z5;^d=>`x-`I-b4?p%BbA7W?CDSv&2<4 zTXwId{OI>;HCCAAEL2W2H-;AuyiK!An+(SYQ(Y8?Q@1jaQ7*ch(lV17DN+ZH5kHYU z^Xu!6&&DrcWAa6?0Ac-jC;!zaJlv1No9Eo-!cLkzFciqapV7qTFx6^5-kQ}wnWT|@tR zv9L_9Pp|fQoIm1evMLCBBDgx*=M_r~gh&s;S%D3L6=$cYK5{j2X6-Va`jz(Q-QGKE zoS?n}M!6|9(3_#7=e-(yseHf_t^!_I4ixU?IOM-} z$17U-?T@HPD)%V2jgg+Qz{T%j1y2eTUAi(nr&c<*Z4cTW=Mq*oq^Vs$*o1-H*GIUc zKe=25v`f(YseS4K`}JFu2W;|&x|g`VD4tc7nP&PZmTHx7w0dqO+g3spH(L*lc;8sX z`XixRMjCfihT@cW1E1O$!Kl4iwKn5O& zwLq%I2IX6UEB-p535|s zLN!jiEzmIw3F%$CGvO#li@Yzb@&=AD7SX-7FNg!2OV{Qd`m?D>TSX`?(zhQGi|7XVTB=0<9_;qsfB{<9N-7U+^q%Kd zK0rBClvk2&JF;5_Ph?M6if-ME*MqN|Xt>OJOS@@SbEW#qgEf6UYZ=4$G!L$Xou#sx z!Gl9~c59MqoOg97zcqr()u!yk-EV`UsK&s_{c1ee^)@{I%LcCY?HkTR{qC#b`BJ!Q zwF5_?SU5*lR=aa{FJ&!VAw~EUKMs*T&V$WF3lO=d%O?v}l^OQ0YM={z4{3L1TelRS z3=yDSI~g4kp-VU>u!gVw^VBV2u#Tk4`nHTeK7^u{IUTL$mV? zL<;yI>OGebU7PhnlY5#v_o%(+RrZdF)6DwDkUaCbyMA5IF_4k1RFZ23_s*3JvHO0j z_)yKGJ{nK?#|i6&kNc8ez+r1vN1-fBpIBV0e!}3gX&uBiy`#ED>?&yjNiqFljY}%3 zxxQ!O&t?O+44V+XcPeOi2R;1DCDYqHbS0KYC&0 zIsiMCDg@#0G_P0;WUvC-@Ld+Ym6JRL@y2S+l(LFQz1rEQLRFDdH(-JJ?>%jCTOaEe zzeXdhyeCIt2@Cz?nhATfYl}?f$HvaJ=y$p9j2L;yN}uoUZWbx4vG6rKHMgNTtXVb# zQZW2+s=?N>Xif-8xW5`0)nXVnD8Bu3VN6rvvGr_Qvtx^1@#&Rkg@KX?I^`r4)N#ht zuxi)StU85fjaQYQ90Up)F%nZPPP?H!;0ppJ^#tLn>*M;fK8NJ+k-9AKQshq;99evO zl6^9^G8|R)Zpz1tqMo8BA=1r_LhfxpZg0A4%Z02BeQp~ZXRh)M4Hz;Qc^tCSr&GR- z--g;puqX6e-6b|*eXCZI!TjKX)Mg8k09B$lKx?S1`fA0zv$TGw-t`h|TXZJ|eX2jjUU3(j+QNqJuZQ8pq={yw^31n;!s9HnyubK;)0cZi zOt*R5UID%R6yld6W|pO?=6ubb&J#Ip9m8+F!$f)7*lItSVwq_zu6}AODVB+M0_yzkaaf0P<*VYC(s@o@JICK?X}$*n)WSHaW`_nW%8;>K?Bu z$;0?%mLc=C5q1c|@>s63lj0hqDTatjH;8o+GLA1Z^9LhuG2+s8au3wOS^K3+^JjA z5>Zu4CNghlf{ihD!8Zxgy)HrmA!T+_n!#_udOUPWZ}4rwsSp z5;L;cmVvoZ85j15B>MLB_BKf6PA`dq0aL2)Si$#? zH2c8~=$W;#GTVf{3f{c10M|+LcncSCD{%&Y=W*|@uxoTYnhoOMz-iBp^uQ1JJImCj z6$9)=nKm!wh>@!dr-@SVaNBpRRZDK$#Gh% zmo!anr0deTe~u1N6z@u}f(M-)47;I`P#-Z@+znV&7AR|I?n9?w{f8bJKIa|JTnT8+ zVwbtgk~zf`nbtF%yOl3%d&Jkm*(?XslpS~3TM1qfWKJ5p6))bjFa}@-TYAtLc6P*> z)ZF6N!IK+BB!UZ*@kC!05KWrugTm6mZ2wD0M> zk8>NzS1obBb&AV0J=CU0E)u09cdej+ruHcE`0%de4QPZ5&_Ro29US*gaD{%u+dJuW zlOzuNxVVPtRm}tI?G?-A!%K__9hx0nvK`ZpUEi#U6(pp*JXn0os+^hoFafkj?tNUs ziX1VgDH$ozgoZ(06TbEc3<#wtHY_Vtpp4@c8z@P#5T_sS=&(t#=Zd@e!^BCx$_rKL z{}|##+_HN4j-lIW5;&9n$AgUb${^P}G@}cFS7{~_d}UOnzdh zXf@XnYEm(dBu~F~@OgQj3HiS{Di#Vu?N=R#-!aN}UE${W;z#|oFS%kv{fP>L;Pdy^ zJA1VQQ|vm&av{q@gWf%X?dz%v3JP&6#(skVIN9(G_wgAaX&LutsR37{HVgcYjB#&5 ztNEO3S&D}p1yC^xToszleBbh1GxqgK&g|kftBgBTX?=c@3HA65&2?BgEo`%XnMjvB zc29SVq_Hgun(;sxFMdgLsL{^Yy&;#j@bxI2`NN_{%aU4PGGKX69f&NQjjtvWQww~p zTyvT!WW5P*oAbVstO!;`E(W8{=26Z2%eF}3`66Q-;i7><4GHt{@1?@yIw5jmtxJ*g z-JWtBfX_i5oAvf0Q?5s5SoucvBY#8x5#@+eAqk$qA2TbUO$|qMMYC+TFj?z>rVL}x2)imNgI>3 z1JRZ4HeAordC9Zg%iiB0hkDRP$h|N7kTc&T%=$1N`zC8so;kkW$@=>0U0`z1wGEmc zU5e!Uwt$y7o!(WlPIrf>G0R9!Du!m_{B)!hL}*Z0%;@j=leE=$_F zlXHpCYMmnW@#4V~X_lY45wr9Wwu5G6JuH$%#?A-{8s+izkxJ&;74CQ=v6dF$4Aq%p zo%%O^j*#sQKxrUv5bKIOA;iY}Nc1p}{*Q{e@5IL~$Bl!5jS|N#C3&x0Ku0s2F5{r? z-DU}{>QVltJbUNl;p4+(!i2)UlTeA?Iai#bJ0k8b5;mI*H2nofqX8l=UYq@*81Ehf z18M(ZkouP8Y21#FV_EIBz0;b)ykdjqHyJo5bJ8Sz66pP)(~sa@7G!X()pgs`Y#}kR znSeC#52 zI?I6tk9%Af=I5{5g})p^*A=p3t^tI!?9}>#TeZWN@L0&)S|#>LCEvqv&Z+BR>V?Gx2hY8r{82)3MkxI1IKTT*X5^Jou7HN(wstJUZ|S_gq;H^WRdNdVLx zehV8t?vLL8SO@R-)mI_>p4Fv^7WhGO?I=sv@-FF}9f}@bLrcC$$hum?kShps*Rkz1 zu8uc2f*S3lJu6aEFOPGq;%r2G4H0@%U_hm5E|y%~xiEbxtcdZ|qtQ_f3FzfJmUyw~ zYPZC=w8w}2WtHR;L+gX@lev9}j~7HeT{GoJ*cE?pcN`=tDGdl`w#KuBsun+G_IxlP zMxPBYEOf239W7;U_c?^}#wNBl*V~>P6Dn=m$9bJ0D9Fvf&u1-dhn?MWl8*V@{E!9b zaudZwvu%tOB&;nNa9$_wt;0U4wLOQNWM>)#A{}>4%&0M5Pa*888QeEJvkgs7O2@QM z43N>Eo#Qp1ATNC(Bn;*iXK?0@M%V{C7Tt?|Nx-l}bj@1wOV9qoa&LXWCYd<&LHgpL zDrrw(T`WP&v@+$eX($z8e(+tf%G$-VTfCO7X&UO#2PbqHWU8uqFXV2Rr!wt?8t$}^ z-0;EEctQOs;4%3(HKo0ENq&TfQC{R5kK|lryFE(v=!^2?H-x$L0G+&3u~qs;6c!Hc z^`{Lc^=*fP6g99#o2I$8TCowH)RzEek|~npYio>Bo%~qeqPV2^$f?-Lqq;#?YIpjE zrIY+Uz}9B;X+2CRw4A;QoRF3TG+ylX}87#-Y3;$X~LlC0AZ zXrdq*Ii*8JRBMvHcyFRC}#Mt?--fesQ15 z>AciOG$K_s)5Cp4yt(oro-0|ytX0E*Ocx#kpbq!09BF4)SHx?Q>OZ3ZZzWx7j*g%0 zQf0w`7?s4`21a142U*{X(H|d2-eM#r#-U;wntM%N&Tiw>-E2X8{peCadWkvIgHOWOu*`MSqO9R~Q=~Z{tAJ^Q6|I-wzaol7z@;VT6(^8{{iF z;&zkx@q1p3OjfO^Eb-#R*Vxiu;#o}_*lh+y61b-GuqxDNj`v^AR$m!5MLcjfi!oAz zj?|_*st&u0g%O0irMb?kcWt|*d~w|q&;F2;n3yPvzQqQFV+!0ul7T=TDojRJ_En0_ zts2E|;x~ScjhCh*V2c&g6Q6wU3_Y=7_i|FQT3RL}__YN6BVu;in2XsF$vg zcw3pbfJ$@{?&ZEhx)KYG`d^zowdog04zvHqU1q9FCRqJo(n z#kZ}q(;VM&ZWLUn=P18}y8B%tqQXM}wVveM4Rq@GAXtVU6RzHCo=MeWQ%( zmbyWy8~x_D7bLZan7;5Pe=egb0!*lp%A0Y^gX?53ma_lR3{VN!^q6+1Ws1T*pUpH$ zWrXv;!qWI`C3OFv{b8mVX^*JjVA1!ATXH;J6yWg!mZJRL>bgI{3Mmqp!C&*;69r#y1OeO%u`0#Wi?3tDc@-;jEedfV*D$r01e{d|V3i zR-lgwoYZ`K+u3EbAVj5IS<~^2SQxAZuXZcR0`4{pqVp3U-J~w%dT`gM^7aF^?9BC= z&v?!A@vh9sr!9Vao#+jr>xRkN)y~v3M6l;3e?-T(Kh@1jhESMGS2MC@1wG> zk+E1u4V494=_>@VPm@3_0gmg<_saCzOAY)!P-3HAah1JT%g8F5eO-ea7Tv82ht{lA zQ0A8F^xL=$#ttvNm(p~6qS~%*ethiyJ$4vpO~@QYawoZpb)aG8vbIi<4l!lGEY^0_ zN=tdeq~{N;$yRi%AFp||m|O;_IS|W8d=YYdX~b1uXJA8QWTVv*E|qfMy;4lBxaQd1 zwg-RZ;7aidC(Kup<-{>_MzE^J(Dzz*<1o(plI~cxk-ZQ)9a3XE5Kz12hvA%feLVRt zF7CRJxrpahg2FJxguiqWKTlS6x~B)-c9rh88f5E1Z{k+KyA`K{eUR<+yUMHL>sphL z;gPgB%>jG81lfJFZz)CH4K%)HYhObT?&S2Q3RJSLWRg7{@YnONb#$Dp@o!W{1;mNT z4S(6}RkazCgbKBT?ItY_GLmW?i)$1q(i|%^*A%K4 z=&9khF8gZqqZZR#Lq%$DkfvI4y#-u|^?=wAAYxp5tQ^kZN^xc~FxZgPTH{fXrhwLL z!P}rNE%#5e7^?DoE>>i>-_p;xB3-@toI-b4u!M~^9?2*9rv~4=` z)8u$ZxoPXIp(0CGLcIoyJg%oTA2-*_R&>XDHhfDbJv-N!j$R-X^+8&CD+l+M5@~60 zfqBx`54obYL0wZGGTG=Wr`KQ;!gcJNBqnDGHa8S*h@YJi{zZ#z*Vs^*J}SsZbrQrm z-Z!761KWMYA=0dAi|}^wJ@W4K(c5uVZU1I&uiWm@ytb5hTIZL+b!r|Z*42~ovaiM6 zfm5ud;U?P0p|8c$n)7&fp{D*oPVIVWx!kzNP=#w6rsW~yu~gTpdSqXjUC)5+*Zm4$ z+8GzB+K{){)z=SZ1Xdi{rX0i^+ZtPCtl)bWFKC2rau-q+|qPUWOM`8vw;dZa1a8L23 zL0B27EvJpY)L!P70*l}6Jx(1jy|&EX*O3Y1@y{3@f8eh&JT723oxCqmP*!K_AMZ_L zWMQP~deC2H2PNrv+p*9%;reiYhm-pGCM(zM&2MuVkSZICSyO+@S$%t+^_HuATa7MY zgzr;-cqtmX*Isazkv4u^;8NV|$qLAbWhG4zsX{dt=d!dTd=>Wh=KuFq8~@ z+?tklVr#rH@E@f4cbCCzH@^+agsIFE+c&lOZsCz`_E{Wvb-*pNGS{>qZuzZOKFtsgaX1f%pqZmo@ zhB|Z#%yXW8tYEh550m3)YU-upvNKu_L(AW`{-|u-0_RW|IRw(u?b>bjlLZD$o9QYJ zbpJSA-L*2}6Z-k_vC>j^TwbROCE&h|U*goc*;nmC#}wZM_2nuy8h#QI9w_OtHOqKW##c?Nz<_wXQS(8IzS-8S|IX|sI@s>llYr>0+xU7t{^Dp;ip7T` zkN=5&F-bW$FH_KSxYXoG%(%3Vl2NMDo78Z(!4u(r#B+iVW!mg5#Fqh#52{a-`;I>YYs=big>N_ztMMXtO z*EQ|CheszdG^OI^{}^P~ zzLoh=X^X=H5S~24gT8Juir$}u3Cwrz8UcY!ZjqNOC_PuRV8RVd+*?(wpy;abA(!>U zJBYzqn$qG*7I+0O{A1nmS6+hd5cF}Y73p&N2a1U3SCbI`Fy#}EQYQOpu5m-(q&kP0 zp>oIgYR5LtC~CpPpFh2T5RD=cnkJQ-rKR`1BHv!3Z~*lta!MRs$EH5$pS zsM0LfSEGq-U~iJjl!F}Nu8N}EQjSgyD4$2S`}98>#2Sgq>rmAjo|{QflK=@HuW!_< zf$!g929B$`oBDgYyLtQ`=J~|Frm2 zju_G7x;nc-VSDlzdI-wlyTM*!&VlMw;M&Sg)Eb zluEK`^A(z$=0mPjf?n;)B>iWYBZLXa#EDIFIEw&XesJ2lg)FJdBnTHr&)a&>_pIbY z2-B^8EPj{EiYHc}UII1F%$F*JU8AY_5U*V}HnrPmKirEKOr_99D5>%QyKJmNe*$ap zuy%QBMR3-s!VU%*_S^ts+I`h~Zq#^3pNJc$O!;ibM(|9QyY~>hOHt#-iG<{=tu_no zhZ1HuLRXO0qwfPJ%?sD9eQn0dxmVI%3#Xlikq~yj1@W^-vpy*Qlpp&KC#y}tj)Fz@ z!Y>sMM}d3*dR||sAGOnQpS>Vz4W))g!Rt~Q3_@hE-OFB=KW(0(wf*_-?%jbE!ZW$6uq*ns^D#x#m=eXwF2-H82C zV#crC@33RrrKj_g-4D~Xku9^qTxNlXZi-v99>U|&B-7+hRvA=IRe z)DDomG#lw-%?jmTZD@phDOCPM7I-WUf%=kR2-{~uRRT5;7UFBx@66@}v$`p=+AU+~ z*1!pH1(?&WN?>etmAGY<2qPn}87$p2J>Z!{$^#_z(G0(?@MG+l7Jq1Y56|&t$Hb1~ zSNV#QWc6ETsE6D+$73Z$A9B>XPIVzC8~*zFd5wG@9$xw9W(utH#B#}|JAfWwXjCY@ zGIV0zr#rQFdYr+q)CW#D^H-}MaBl&tmJJnTu@4(a;2vL!e%`YBao1jb3F#@G_(58> zyR53iz9?cc!{B5nJDh+u6MeYgabpOVB&r&IYphPe6fsqha8hFzYByP<9dPWO;${Wc zdB*2>Yo{0(j5FLzhHP{Jdnpw~j0w|q&I^V84FSO3m2Wg7oVzl<8~V%*re~R9fonN# z;G19|v__D^>lv(7X2h@MZaf*g3ytH@=Fm4a&VehU1Bw)1rigofp**!m*en>2bUG7` zHbSe@_^g@w)3TV3izQm}3krnNyk-6|GXVV~LZXMmc@4;k7ixLl ze^BuiJB|ycU%p{4@PP_l;NRM?Gd4l7)YCiYX0#-h( z0&Kw2Ny(1oUP;qXXc0a9Saz^|ayMkdwAeU`n!m0SecWYrw0bHiQ`FUdu+y>Rm!Q<6 zLcKl$?Lh)j(bRy7)8%`xM;VH4F#o^~B_p5j>>^WgMV*M^H0K3z5AEtSxV)%nb>z^QRWGbuxBw=f9^Do zuryArf@HFRPnS)sXG#ky%7*LQm?G02!}7c%_#Wo2x43Oie-O9HU4Eb@=D15}{XqzK z;N8-(QU|k20`K~fWAhP-%T!RnGL=QI981sMeODFuTib7B>Q#`Fa^l&=aakIvJk2j| zrIT5Xr)88xyF!-+#YTN zR|cZu#ETB%M@IOX7Y^Pp4hOa@`H0M{r4ec_R9UiC6uOM)CBTU81hGKYwSHNz)D~ z$_)4r{rq@6qfv2ycILARb$z><#D2JaM*w3QcZP6%W6V--Qf!iiK4&AL`4fR!!v?L%p*PCadm5`~K@PLF` znCW@rLRU=RU|tWzRhW8zeJ#V|q4{yK=BE?bYDa(I%#nZ~y2fdJO}jJlZLgRLrvdCE zO&9wB6e=KXhuxKymzVbw!R&N8$P+HywM6zewEpX=?e4qh2phtiOhi<#@)SxP z@9=ZMbvhg%dYmF6tPT0Ei)Oe-%Tl&94)txuE3FHyRH`+L-CDpvazaPD-5NTjI9`Ao75Wu-Me<*{i3^w-8xHo7vnzKWK=%z-y3b%%F4BJzECT#4V z1mf0j(qYVv;9BFR1|irdv9)jp6#`nD9$T&CwB1l!+hSLZSHD4HEF5MKFoO;8!>0vQ zLhc?d%6PaJ<0a7Rbtne(3}u-$A2rlYv81@h(6UCbSU_zD5!U1oTCi@CXrp$?lgAj) zW<6C`ojzT!^zCwnsHX)cTje+WO)8BerTLXbB@0B60p8_bec+a1Ky>~!^=15zDi5v@ zk(Owg_&L=q@PIC#BNl*|OE_ITHPS{>>P+$pTD8CTh3WcpX3#P{Q9T}hIG+OldF=&w zc{d1~u90@m7Pvk>M=a2QHz8gWz0K1O52O9b^Wz1OP=J#InKuH3GL33XlR14()d zd;r)nl|)ZMmOuW!&@iVXu2N30<^xnn*QozWNB*ZwK4$_&rd4Xq4Cg7#mc(Hy;U=X> zy1;gvAg5Pw-`Ho@{o}l7ZbSfWMuf(NTp*KK3VMb5Lsa-JhJVt5d6n!Y(58&H(8Kdn zV$L5sUdy*5#_9qilT-sJlS>4LoHO?TwdKyxT{p--&GkDAmX+9&hNBeODHwnB=A}qeJuC- zm}8=Xre*J#y~rYro!4$se=C4ta#H96gZ_Kac_Cq8bCPl^xEolb@(T+Uz)<8;?u!sR z&FHuEgFrHDzH=S{q!2mNYD~pn3Zl3sHm+O9dFdK$vOq|vx@ML?t=AEDx1#4NSz-hLu{tAr91~7B_Y;ZE{d1uksGrJCNGBDGI0t7d+9de4oveP9F0q zuGcX!Ug zm9kVY2qk*b5nxywXb(R-s$eQAT+t0ho|lDW4qmC2BHKtn+(gf?Lh1fX)FF}?-E!!G zn8}NvB;4~4lKMojzj2VtU)mQG&|cuPUs~gix@Js6%*Ag#qCS>tZBe^&FVXTVTV9@= zrXOtg+2EY|m)CgX-lL}a2tqRpbHKv+I%JDw3Du<+K{e&mDXHTTk0K-=iG24x)y6W&=g8&-(A} zpthV8N<&;oRZ=064tMy=KPL)0&Tv=9%iYWW#cKRDkQnELLnwg&kz$iQ5ilB zK1hP*Z4%vH$mu0Bba2Q}wvnN}E$qOMr)!b6#c{6!lay?>$V}1w^YySyQMq=-v&m8S z&t2N2pvSug{4H0t6-AQoB9?jw@t7{EMHzjI!w0!T)n6Ur8Fd5Wxah2f6{N0WH4Ivq~{87dx@k- zJ|k6I@oX`Du>Sq#sa!z-vb1ttvw9K#fJQkvb(E9$W$_}yFl&1*PD|u^44F)2k7C>W z_eIl4dJgCPml?5#aQt14sHrwIH!*NK+_%*sXb)o~UPq@MPBzzMvs(bRyn92^s;M`x zmVQU>Y~VJ@HS6ZI_c3Y0XDiQX&T9%bPMn;V(mu$JYXd@et6dKvH6|b3FW80673mG) z*RrwVSV}B_^GD|fFI+4bGaGSasyz_~WEbrgMt}K!R7+gd*jCT%cVOF{%kX7`;++feJkVs%89nwC^_#gKv`o zy+yh)fq##<1IqS>4nSmRlBvXb*6C$|CTSRHddx4-yrCElUMx*uQdoY&gdaZzK2eyfFx13!>QkmPij#Fpzffd&P$UbnsyEI%h3o*Vis z06Z1|RD-I8U$k>aUXINdmKBcg`;B z2k%@qejU2|Cm{LUgaJlvA zOKu`^zUW`eI~*hLe8y(rq}cB>Ec+dXgNwuX54Zs`Z*M*4zF=MbyNv-`?mYlaczJlu zH(z%090kJrpoYHb0+&QLr`mN{)H2v5xQ-Q~=_EE`4M4^*kNp>ep08hP%;lo*By}o* zj~ZI_D6{qw{Aw(!xhCQk3x(a!@q-myeB*~({MrMx4u(G6@}xYugr({tqj;o<2R^+c zyjq{ue@7xd)kE0=nhDx!LpRSr98P6Z%wEdsHzH#li@v@ycWg(!HnUv8i@>=S-<9Af z2m;5b1g#de>+cqKvYa15dI9`-7h|1I$MvohkN3Q7Y*O72(?;A>0^OM_;e^*K4C+;> z1a0O-w)QAp&3*_K^?kdG%go3qy?Oieoq^x?=fI(*cXigI22*tocWuX*d&--y0Ouz( z0B22qBj|s_+$#SYWOW4CNQ_3pCTcM8fE!aS?qP15BdP*+)0ks93>EqUwRx{)4TTt< z8)sgylU`oD{D;yL8orlSE1Uj9Z3^wzJ@s21@>0YbByF^+xSh9e;y|7L$l7-U;E@DH2E9tY0Da$Sf#^@p_V!z1>EX{(GedvZqobM@Syj3Ia-nx>%8T)x?* z0DkKk=`+bKIqNPSX0g2I?3W(VMGZMzZAkskw*cfXTWzZMv!@oIrK-K21RcUNH|`<=SPhHeiA8bqm*@EpurW_Q$hCQT0CK?YBE<3*Gs8#Z*N+?}jDs1-cXq2XLnY z2!l+9xuV{C-NXB|pJZva6>TR+$Xt~FW;bX0O_FVaX_&y!q_R+&kZo}KbU_|d3cI=Q z!6x`tf9gb`0}P_H{B~OUFbbk=M2X6bY+J;klyFWhsZ}f0sW8aydmU3oZ}evEX7Tm| z10m$oSNUl%HVEo1kD6#mUoW&UrVaM^Ky%6zLAe(fhLTS!%nS3X*!5sVh?P9)^eR!G z^=_O;9wc{;0S`<}(pOQ!w;YLpLtlS1?G$Fsw@*qwGnf6oeFj@cU-d#G_i5vc{m?Ww z=s6Hfqy4D@$xs^DI`*9OB2;@)R#HHU7rIh7P6|kCk3bT z0-pKyeI;RH<~1bX-(m~g@bPIXO$5gWo#HX_>X+&&a24EgnmWNtKQZJl)9$U}fGH_R zN>qq>J$$@2QvO8o-dvpnp2wC1$G)wuyJnJb0n@v!=QShcMk!=61&dqDb(dlQec%;I z?~H6tJ?I2!%nDJIkT_pPj(>>JZ)PI5MuhBb4^wb6$_qUHIw-l+YF zXf?Jo;u+7y#{ldi6C$Y|RGgonC5L<6{sPEiBK2njgR#N>rr&*<3C__0U7n|2rWnAU7Y5eOBCb5cWWoNnpC!Hl)SgmkM#2TCWEKN+Jda-{|5gWc zn|U25D{2Y(azR-fhQmcWp^F?VH!*1JjYDqS?}Py0ZxMrDh4iC;eOBV1XiO#)ATuvF z&5G$92lVPY7}mXAp%(%0f5~0}1EAHPyjaOUPiBxO2JUA-vY9U^E5ekOY-T?=U-oa= zBNYO`njAEl@dEUuaTg%7c$J0f^#zh`!$@{Eo%aIC{!8{GO8}79qBSAJeqIVdDkI>b zD*{LWpdzbQ}uuD6o1YyAmjZt(6%fwp|^g?2Ly(vS?EPs#23o2>B}z#)3fVefOZ^WB9A98>n?7 z=6A`-9?HGC#q@&k`-;FZ^kav8&>>TI~} zpEcgkdlhdsHXR!O_AOh{-r6no7|i#G&h^HS3FyOWliX={7_q>^e9e9Vhba!=_%_jM z?f(m>>qkIkQc3YyALBGTkG#9?*$0It>&|)^x40wO0337eVIU{@$>5-LhHyjD66aX= zE~x$9fT(ka7LaX=0kd}`0t~*0qTUz?m=rTH+b19IuPe5<)Z<2fUsjN{NCup+ttE;X z*Kc%x?M>#|m4+wM`(UdjW%y6;4LTne2RSh7&9o`ML9iSbGYwwx<~CXlA*ADnCE9!g4h~dmv{yJ*P`G`vao%thsZ6LsQ+JyemCx_0)@B zBn;S5$_(p3rj=rdk2~^1qdlD2Re3W9B@5@Miu6~LHF61#%zCH-oH}L&K8xZp9z=s-!aJL2H$8U|EbZ8Bse zA6(#n73dzxcb48lN90@-)gmMU>?cF+do#)-2l^hHv#kATBfFgJ?b^gxM=@-|9$Yg7 zFMF3BY#Xmzz3V~dW{u7A?BXi)D1)W?MSAI4GdDeS*OFrYMyffyE~zhx9v-#Y=#*)F zGb}NFgmY|-{P2nWNs&d;bz#OL_Q?PEU_&R9{1xS&!#|jn=(Y1OhAVcr-Y*jJ0^EL| z0f72qPthXlQ%~1zDJ`CnQ1L5U9amIzO+>p%SBZ9p#uFZfnkHWwz!$PooNfC$rV&t?B% z<0&fr1z(H3tqMl1pb_Wx3E;B;emLLbwJ!bN0-egK;u4FG@$tjk67z-4BG@m$xuk4~ z0A{$-`9<~oZX~&J1t60F2>N*n>z+qi=9+*mGp~g=U*M5_&kDE@>F_Tw(gglsTHlRAcchAWJWe$nO7wFs1?|>Ff zn_Qdu&cpKeQ9#)Yo5rQ{G_r+YuxCgHl=&Pw`c?=Hac z^m72Nu?Zv|yTEd|eG3@mtDfB83u4$!7>rNN{Ohw;zX|;T7sj)-X~0c6BzYBRQTUYzSm^@i=rqOw8g>05ZyOIAFp@kI z2!rz$(ZA&F-z_&RoHNV>8oww!6#fDjIhS}(oHcYo^v`)6`0L8W`3F?W1h8Sc*&DHCHXvx% z{w`xu6g4Mex+b2CZQ`2C#2*^9{VQ${!oNxN4#%l35aM?KkMuv$k6;vLlr`%EKYaJ@ zos(jv9nSGCmfw+(_y(x6Y|oVAo9&t<0eH&{8nam}C?Bq|%zZ5eYqBkLv6=5k1kxB` zS%c%{B6-e*ZdETA?;JXv+_s#pN~Tfa+vvWDbG(DCZF+f(V-u?U%hcSwht0l)YqrTP z-b{rGmyeB+e=M9p@mIq7!|eD`zG8#ooN(x_S!$dGM(;O$5De5+GAlM}tr#uUhw02C z6ob2rOd$(1$tgK{ig_uCkxm z0>G%&+|e2W7M+SKsvRtNj9KX18sp^H49V^QDV)U5swpB`&hO3E{hzXD+y)R6b2DR> zddoS{k6%l1GsxCbtt0+|pIz5dEr9A}N_XQ8-4871qhs z%EbsUqRdTcS z$&P-KrdprLF7HjNl~COpR*&tCuM+h}D}|Y<*ogdJ0A}Cl6b4^%4%Pw^f3!vD2H9H9 zt1PGKPXtc{>Bfcy=Mc&?zDcHXIK%RDhzFQpMHM^vQkvU+r6s;YP!R}ECRUloZ=V2j*2q4#pmhF`-cEz`EB~? zM(<2MdyUF(HSU`;9HdMt^_t(enpSUm&jFRS;{1HQx}CWoj8UQ<^=Ynh;<}%#%4hZ` za5o)B;T4U_3kwUq^$DgusmSoSd9bL)ty>HE-u3-EJ8Zhqn1G0;L?1vt3t)duHBIUn_?ppx{8de)MvSNAI?|_TrXdUzt039iO?aZ7Z)Fez6moZv#0X#i*4deU_7yk ztSpw>Fqn)c^|V_X3lypVt|3z1zyI$p0mxb#z=4AVjuT2TRe}F&B;I3?<9$-6zyA9I zkX{Y~Mwf=>REF*1QwD?rh#&N-hWhS>7D+;h00<&4FaEpm@qhgy{VNOxxyu36sJ(Dw zjy`4(X8mhuFI*yV-~d4Egq9YTe*S-^^8ZZbpT_IJ@jJ+J>j5T}3J^p^fjIEQL!c-g z5Zm}9@W}OYzX(t*GG~cZyE-uzd}zJeys7Va+YM!2$z^95lE_Fm5F1KC8wcBGOZ_i+|C|C4T7q4%m_-Ic=~h-&-F#n-Ep9u-#3xb=v;5 zYcdp@8Q9<8j`Xt}ErJ>d?ajQl1vwR|l&%aHxZ?9#J$&*{jEM5Uw)Lc6IAj>}Rb9Ww z?7mJ?Rq2MDV#Xz+PCTab(aZ3CSyndxv1=SYQ=D!y*&qw07H?No8u?c^=+52SSQz^2 zZ|_{El+;QQ4wVvA&r9ffl9w9-a`zoxh?~<1^B?@t)LCf!1o2L=V-1$9QG`~UxyPp@-djFvg@^>iRTq(-pQn2>@g~m*KDoXmMt@JDK~h43 zWNCc)jyq6jOxt}Hbx?lha$32yai()thF3&?{UQB(iRcFs3fG0{-M{w0Y@hW&=cW;DWO(!39S~vB|G8T0LXoL3vpBYVtl6x~M8<4`*u7A&5+`x&~;jPlOVkKN!7n_5$Uu#|(p z((^+y$jxEn%a={ODcrKs3rGJ1WU-8>{Ls>_LYf6yI@ zBJ<>O$|o{cRK)O$Gc6_9H~X*f z5%)f`J5tjR{a^~`iu&_|3RLa(q*E#DBhqQ|+p`Ks$?-|4j1=pSrEXVpmnrRn;0WSC3+sDfO6F_Bzb#x?@Ejt zNxSr*YE}rH=dkiiBTjPm56t}hwL7);ClY=Ki5D0OCKrBxy0sZkSmykGW79Sk&GuWV#8X`L z$AlUPPzbdl1C4l0p5rpMFXqKcND*tKD-yOtvCJh1BZ*z~MgvV?Q9b=b@{5auf;J9K z9!M)I@L@cjBNi`z3-2ve9;hhr;SF>;7>lPTS(Bj$u4Y^--pZRR!}f(xjn|STxmO+t zU+lSPn@a>5={6kQXa7aqVE$Ccd!*nR|AGOF>L05DG#OVeJ4JWVeCg$YHfbIxyvKt7 z7Qn!LfQb}g2@@Rb0q&da`FtBVq2a&#;al@xfm)s3`07|fF0+!Z-py-D3IGbGUU(P< zEu3q`s-uaybN}5UfS=+q&&hbV3kwV~A$<|OVPdVmj|~C;FT0cb7SQHhNeyfYEE4l5 zNDi6P|AKMAp8tLI>bHm8mn zg$=LW27d2hn*x@64Te-;7?}0Ls>HFh`M>SX7|hUKk9~#Z)ji08NAa+~w}B-(bgv4y z56$za{Q~X#*QISv;MKS1q(-qs1g@C^Cb4Du;yo6#zNHPACu!|+k>CXj1Tu|)-;=)~ zhpq0z)D>VDru5=Zv6y_$|FS#7F>T64-^Rw2|1W1ls5|iLk?1=)eprT&3m-5EuFIN_ zFTQ$o5n!I_MI7=FEK}tn#sn1~#bOzTE+$|Yy2f)hi7&SKzwORf3_zRQZ}RT`f1VA| zB!OCje0<%*#A5L~JKgk=#+_>2`u1E2QR6o8HxM2O_eOEY}mXcJmRwd7Ed-Lsyo~=4p9P}*#TqG(sGe8>q}$xM$^S6k#olK zGOK)4Bc1i0D9?UR|ND5G|GC3c@C*RJin&{SvWT~0XOW-3k*2 z9M8s`^2+mcnz%J)Vo@gdIj_J?nEO+?NNUap!NjP-D3|P^aAPenjKtDu7!@O-=^VzF zdTyC2b_v;Grl+R|WXcZ9&3=TJvV&YwEt#f^DnEOFq^WQf{R|H*^P(La=U3Fzqq7ND zaZ!>GkJ{Ks&C8Cthud^@5;xgp^C^vHjjq~5DFZx*bDE^STTfZGS}zMN?5K1eBTriP z#Ujos9HfAym&g)GVFFOqXsccle}9lHk~7ZHSgxmH_IN2Up>(-W+}og}#A?RM@Ztpc z%@sWU1R9P>g1v1WdI2j8H|Z#yYY zta~>vH(rQL(bu!cJ+QrhtTXM!tI4pcPAwQ)oFXPFL)Gq1wQjCqXqRY`w|iZ^r7qr& zX?exu{oKUO1x<-e>h6AJK}0-RCRyII6_&>URy%$41AuM%3JXVPB3rn{Tazt}`KCL+ z9;l@R6!k2>@8RSVH?mBuJcGCPNQ?VR(Kf8Q0fEkZ)d{uV?KAu&w*-;Z7eSiHoi6W- zlk=|tl1rAZgexJ_86;|IB$l{Oy}XWvrco%ux(5%-fuPz9-n632L4hi@l$%L z4jv$tIW3@@3T`})>@618bUdHUJc_Xu$w0OeQ;Xfp?zo3{^iCIp0}<52Ord#;%&~ki z{LIBz{MFK}>tn)s-jin@s<5*SQkg5*`eBLmx}X9-jZD|X_$D^KRD&J^W*f<6uz<DwdOvyq#i{KQe3#t zeQ~{x_QCi7AKPwPEKq~{<_m(H505miU%Zdx90P66ZDk0tJc}V22HGs=J6!B1`ZJ7Q zIfI2#V(A75D+bzhD`8Fz`!BF4v4DX#3w1R7Sp0hq27(neC|p#$t}|p}pp8*#l{}U< zwJ`5MM*a@VEBqc!SF;@itM^+8s~a{T$LBmFBl#7L>Q1~>oBhOnJxN2C@ig(@KvXOO zN;&Tn$L0i&lJ?PiRt{8J>BP&{m0M$>B@KXK<~aAR2;>UNwOx3S?&wb3j!=y;sqq=ajv`pg#rVI zqZh%7W#DE>Ft%U)!S!++`}Mq>&kNEbCf;4@&2S?SoTp1cNl7+X47Tb{Y?nln-zk&O zIw?O_xi!lmn~)!CH(ghpKh;vullIeidDyYnZpxf+Ao%_*4>K5Ru}x9Zy~fK+l?CbM zyDqK~UY_V{EESwdo8bh9@Tnx38k$@GvD&VO7*H}0Md?gYCcgh-FOZ2Qjb}afkgs&-%A1KH&g% zkyfD4*d`zk`9DMapAAnIW?u#4crHb6dPOh)v{jCmP22yPPTbK-fnm9vbtz1vwC01U z)I2`l2LZS8rxP=4M&k{U*=^KG0vxtuF-&Gi?b%v+O(mt?Zk6#jF4x3Y$2J=?7~p4B zz_ALy?IPOi_Z~ZC#qaA1xa!4R%_!-ssGAB>0erkqj%Mv2-y`hnb3&|F_m1|HqhW@? zNdlRsnaQ#i;~zimoZ^emTB8mYD_nO%(yeU|2mCf9ySlD7^`fThSSFc2mTtcF@n4oY zHgoaIrY^6Dep5#6xiftn7O#lMFXB_Jwms!tBVE<^FU! zJ<-)STa&B(8Mi{l@)Z9bp}#+gVpg>byjUzJC@MGrqp$kwTHev$U;pz-Lhb4oLJgWd zQeK+8ls|Lv&qd5C2Q0yWXE5{1T(Y*_zaGGORSeW*#7YHcnC*4if44oGS^Mj$>AOvK z5zf9o4jvZ&w*<5wm{rO-st$g*4Yh$g$q8bLrR7|8GffnK?YG&w738XWUN+tT<>)pc z_P9x{gc2@`OVGMdQw*tV_U=~ue)e8-*rtG|)uESy=aGnx>X>#I|;%@GAj8E@D2E?>({>p zzE<^ytW4qv_qqJo%L`n4n@n`{DFO)tAFZ^&H?70g(+*Ibbd$>>h5c%cL^*}^Wqj!m zRd!fL?)?CT&WY4$j#DDHSMVL}-AE9uqMT|rhIWVn3Sr4>Df!bK*ZiqOA0h51vlULE zW)D}(PxWO*L<@*%(n)A!2s!%BjJM|~$iKA&T9~hMAF8CHPhv;|L80TcA`dG!rz}KX zJ=mfz;fz_`_c2M8k0M9BP3Lw|o^c@&t#!@kOLjgPF;63N#Z~w8O+SBra&)3LEIFDU z7ybCpt4a`Hwuje3Z(~VMWx(u=nVsP3?tg6dZ^%x64dco#%e?vAJ z1LKaW29|q)<1erNYjyXMak}7m|GM;!9E2*W-ty>iZ_+lQUkLxmza6?Vd+* zL25%7nV;>qn>}MspEmd^KG3QcyyE81itw1)MOOOs)fK9a_|5m?dzI^PZ9acMms*@T z(sz4JykSkQIbB2l3W_%Gb+c;u0W8xv)dYt)GNDC^oI{a~L#v?}oT75#+44v*}D9CQB$qgHs zTC7NUG~3ba@0OGvU07H4(VmTR!=UC|+r0f~cMG+DI?LN%U#)+ryJ8 zz9XjoHAEiW^+gowymF>X-hG=l!i)WDrI;ZTE}J4l5A|+D0S*6XO|3P1eH^PPq|v|n zoDxk(?$4y{mU{Xh#cM(8cdyTH3E0dr;;*QLg()&iF#;IEG$eWB`Pa~v0H>Tfo|`2! zyP#+M5uNBYoFJ!BYN{Y%&-6R< zR^wia~eYU)BD$G%i5J={(aXilI zYz9T}ASx%W5e7C3T{AE=47{qiVYL)0yy|Q`*+tz#_784H>c$%V*aVp3ME)?#{_eD- z3>HHqQ4qr{lTZQEC@diR!}Tkom^sevm{0N#>;3mP>9?)`tEdXD`V2oA85TCwOCAGp zT{ueE6Zm*vlo8!|{K?^YeB%SPiol)m+CFM6%WIM}7G@>Gx`V37c3U~aW~iDjY?L14 zQ5=kutjm*UD^QbDa*JX##e6!qy{7YN^VxIPAim_}niQ3^U;^G39x0wQR9^$)Y}@Xg z4J|G_kFb|;qA_uOZWy4FUp;M_EZO85%td1WGI&^Cxjpb&OPB7kzIKBTgu=)wQdTf5 zfe4z4q~H@tgpE;55$PmM-FN1#3J3oPcPH!kT0X$rDbY!>tvZ(CTredFOYGk)SPjn* zu^X?vRZYja_G9icPc;JOXxkY?6kd9n(mRTZ#>NnrPW4;X1TiGi!r>YOLIb9i>)T+neoev4;982J7Unij*Hy}~!CTWXuzii;*1=Xu zWV`KZ2AXnN6kW?vtI~{TwYYEj!Ywk{lzTwWvgH~Q1smJ-fc=;QC(Q1mEYF(OKmRh` z!M%FB_;_n$t9%u@6X#|oCknm(pGAxZAH!|inQ_BvJe#RG#aOG&RTH)gBM7a++Lii7 z2S6OrH-v?!oVJ5jraH%@l-HAh*Q1K3Hbz&`ep| zv!A0$GZA*&;1!s|LiFRhZQoS8mi4DXCeT4uIv%~V%rN^69(x|9NAs{{Yo)Un?g;0R z{y11cZ*`BF4VV+RRB5T~XJMB+SHoNf#I}Ie-*iAugg4&J%z`;UmF8@@nhWVlnO@vC zwwu_syHv5hI%Rw2)}uJ(Q!=Ug=`>f#j!2&vF>|!_UI%fc&^j5!!7j&^NREt|w*#9h z9gi_1V?NuZ-nIR9J2xG_f2+sb=;gGHmBi2Ksh{KL^Z0hxH|VE5suXBv8%9?=58jK| z;;NUgGdOw%dzdA9Ss+Br%-UEREjE*P)K(2lch|Ugx7rXIFQB920s_^3Ng}=Hl(h3L25u?I8(!1nb&t;eL%S|Kr?0>*KI=&hTV4*bf0BDx zwLdtJ5p65thWj)zK?f*y2;tBk6?%!6OEIkR z2_pma_2E~0lQtLDb)$DTL`eskS2S1-G6b#RuBwSN6SU*E@!q+7FPP>pX{}_2?urDd zUUMV+1I9xGBnC-kd_@&pHJz&wONVXl=eofJvb&*+q3xcs4!!&EiRb=CJtM>!IHe^ka;SraTTW0svkj zIECN1gj&c$D620rQ;0D?e}!3C{D5xv?a*SCITEMYFY!=#dhRr&cSJsHsrLz~jr<72 zeU>shN$}5P{O3MeETDlVuc@w1)u~TYoO5YqMFH#^=xuE@@F-pUXm7BWLK8R!F@2{s z>M^7E>9)J6gkgmb9PZCtzG6-$?zzU@xI0c|G7k;paawZNWzaald2<;L-C}8DmAIid zUzgfj6?}(xJUDEZ0mU^w&VQJs-~0S7r%PgI{?J5l@P6jk^*TNa;h2?riiIDU9Uc3p zMa9<9;VW4;cJ7zt6KNpcBo-5?^dTxhA3s)GTI@~1qpbGs4rW=-dQlAp`Wtxj@w*xp zjDNKq85`3dc&c4w{fk{tw=k1je?#M>l6?*l(kW;IYERg40JgSqb$iMX3RD? zcs~+SF*fHzIBJwd#rZ5eZBzL!iyqgNZ|fB#&i^=kXD+QzHI2$x)StI5vbWfq=t6`z zPoP{;h`J-gKx=n!MY-T1FJ)dqzo12Jhi8ciZtl2{uf`Cf*CSGHF=+c1qWX zVS#>OW%mBpT0oR_+B(=@89Q}to3b+0aYs6;Tkq>G!u$T};B0UkLXXQ)_LjQ)dh2qk z0RXXWY<5g%5rT5*jHr)j>1<^y?5`=sw-c|isi(6`hc;F1J$GsIo@o$5mewU*n>Esz zcotQ@Rc%*VkbQdBZJp030$>XGyWxn9_3)W}ly>0mK4kY49;q#=)T?X!0Fuc&SCgH1 z3ftREo#;sS1%uI22zm2WKj$VkVXbl>#|khiomQF#Le4> z8j`{FTS|T^ss@>eJt(u>7*`b6pMiikSihk&;J*2W$eGm_J`)1`)`e(lulXO-55)%r zJyjoDVEo3K{z-6O^HB{n5SK7Mc9`e9FO8F!mHO_}kfB_;@3Q2*Kxtn*#E;RSpsN~M zKHoCUhMId!W{-$+TSaM5P=apH{WZ1FHF&0jYa+}2+dNgery}n0b0`eIz zpJ(44NPZBOR2D53*L*@3%H_U0uX6H@%?#PIdEy zNXq!xkAO{faV9Q=k^Q+>cJ+b9VDVbA~w$K84vl6ld`CanvbjX zam`Ey>me@JK(9q*NX9DV%)ZNE^rvBCm9Mp==H1_M0@6pfo{ylQ<2w{hkI5s2rJ0Cn zvr7T{-3oy{YbtcwK-k#G?W);HdpC>d_rZrfqrzGY=Aq_%&6Mk6jj=LmDu$Zg$#Yc( z-3G>MQbopH`UBy0i?C+}Y`Fb&7)D}}R7nuuMEE-()lTQYeCa^n0?F!KkxmJy=OJWoEWxVB$cf2RtG~@=&RxPyB({(EA2sLYyRO=7c z_7io6BK7u1HVH}-j#Nj`j>pydGt*SqF zjDqdxSzmTvNhNOac;B4+gzZk4ktlG){I4nkI*<%>XBpRqdGKr0W0v#7K>P1k@mIQz zBJ`K6=MMrPmaWItf?;R3Rp?I7`bN0EpQ2|tr>1my(3`qDYn7R`G#rZ^kz25Fb8BvL zq362yQ&o>Taw*ew?(XiyHGW1g$}cIn1}&MH9JNX$O-y_*HGA()7^5m!KGNCzICtlg zhzjTk@lb@dy?t3SosDM1a~}Cn*s5TC-}Qh1Ve;PX)CsY{{kZb8zKn8W?E{=@db4Ae8__X5x;`{AF-s~azD}#&-uSKO?9_L@Wos5yin)F6m={}4%R)hJ ze#+e|YJu8Uo1{9gWKiJe%zfK{ZlX=Kb(lE3>M8O?LIl2;1)Ke3>TS{n*E|9Y;~H_>_| zsA1p1G#p8fPLe#uUvTe>ljbyV+di!NG1F+qRQy^ARm*e#8@qB$BKec12_lfzCGPD!@r&?3HSGtpn;n)_a{>9l;rGUScM^?D*fv>v-Gyky=@OXjG}ll78kQFaDa z5J+`4q{%$4#iXEcV$u7>v%QI;bHi$dx@27<{I4}HbzEPG0=($p#3lO=$&XNe5|!S> zV80Lo?o0$md80SHdg~PsKhhqy>cwBnr(`Of&X>YczbMRCH&$Iy+-B6rzS}MfuQ)eP zSw15eiy*9{&CY-gah+CV9FgAx+gaG{>j=(1M&vr`$*D<$opU*qV71j*n&O>Ssp+=N zci>(cYVI>@)@pC+2}e`}P0OU?gwK6CWtUd7#k7Cg%s7(ujo8di;X*9OY{x(BK8<<_ zw%eobnPnMC?F2`qyn0?xf1;2yrjF*AF>*+SQGXFV)Se&D0H=ri+*qt&rdadjxK@U~F0CrwMOAz`kHL(?$tkbE zW;(F&<)gmB_sb62$y$8l?Pbr?h1We)@{8P`H6agX?ad_N10TQiYJD)hrX>Dc_m(5S zK)Mh+$XMUfSLK^$Q`}SY&=F$=T&XQ95DFj_lauF$P5eEVGD@QmNiE@JulI%2HOJCR zm}F^1uiZzf#?!cU%4R1+98(%O(WZj~SKJB91mmud{OO+nEs{YXn4)>-O%^ym@L?!} zz|GdFsu@*%-}ZxImI>g{7%Dn$8YzGZPq=JrWFb%dFr3haSZPYvt5;RNqW$EgyERr) zl)aLxx;~{pE%QThCO<(x1xd9^Gf&6|F7tPH=B8W6+)@DYj=@aZfAxpJ5Ld(^-ZfZ1 zGlx*(+-&jMA{`emFK7$~l1=gdITxW}0vcfYu=`Q)Ye>P!YTv2;CR4CGcRo@YKKF?? zEQ0#cqXpK}mz{dTW*}GQJ4C#Q1^9Ey)Jz3)yKl{u>QX4bS>^n)m(R)PZj#-_eMdXh zAY+wExja2$j`GAE>L1SC`8nkK>|WwTjL?gGyg#-e@f@J*h?KtKT`(I7`r4~^10UAH zG9ee_*nry@LFTrV&EH$+zq!EczoRCzm_uEnt^T8{{cWzVC3b%Mic2&y*;=7kQbA*% z{^7EJLOX4ep4~yln6CH}qWc;o3gM7G#_E3b1ipvTl*FF8ZB3+h0fOX zB+NSxr-IQoU#xgZwakBB9)Vg%(E+E^_twmQx~>%Fc4*%9B#Cb%xICv4SY_6X0^(}5 z&ysOm8(ZI?DYc(zlDhH}rRbt(Y~E5>S`N=lvmQ;yIpmeh7_9)HwQK4@2P#i!=WoZ! z@EQm+9h#Zayp=V5s@eWN7^DkW{p>+tHRnd0V%j4ky%~X!)#aY9X{#>PfweeW<{mko zk>S%|>81~~XQ9b=PPD+av#94P_k45ehFec#Jg+*<)L7c9iDt0dcKXo|!Y*wcfeMI0 zCtnd^XiENvY+MFaAGbLQq`xCNJ$7;5N+&S#Ft|%h?!{C%m>Tl?dFAOU{2gx>{TD{d z{3}9+42$?Zhly>Q8_ma7GZ6AR2i!(X^hT|UA@bT{I!8ob-@Pz)`=W%FUUn8iTMGE#==8$8n)z+G?NdW5 ze65sS*@5IH+6>;}@=3IJ<%EzsVeg~MYjFPeKS+x#cYKM~nuF^G?o>t?Dy4&+t=Hg9 zf}%Ztrodm9vN7r%z&l%1avJ-;EKuR%;Wc#Sr_%nE%zA(ymQlBCIUQ)`mYm%PoReOP z+;XDY&X8#RaE5{nOj;53zjIij;f3{!v-|bCU5Q}3yE)%JZ?A7_quOG{Q!l6fb1oB<|j>KnfR61#Qq&GUh+Y5ox8x{uF&|?xlgd zBgf^?P%`RodvF#c*j@J0IERbjiSs6l=+F8asHvm<0Nb6;bol0+x43w0eBd9Y6z7T; zCcM`>Lg45P@2!)r>@~E|Bl(oPt8yN5s18l-Bb}o&0>~$|(?)R{5$F{m=t8MzkqYw0 z+w-M0h^@wdGOPigq9%Io^?eo((A!?_Rz%-;_aD{c&-w{?8U@vWETWvH8I^s!i+)Ff zKJDMr<4Zmx7RV?;A8?iSUd7@`T zUq`X&keY#>#QqX8Sy#|#4$}4v4qx@tV0v_H*1~@i^_$35pa%@%KHyR8AjbR&0!|95 zhQGQEL!Styi-nYQ+jL1g<6g17$15uBvSCTMh_7KiZF%}eLknz$_BEN4IPU&ea59AX z>DY6w_OWF^yDmfvNOfIz(UdrkF6=A}W_R}gBRd6D0C=g%`hf;E{)dHRuSE!mc3E=# zta<@XN#I=v0*&zac$%?AlvOOgPhevDNk{Ektr31|H?7fWE@#sz}{n%+oVD#i1+0V~O?_ zcF=HY5~20>PbqjT<@oc#?b^#4Lr<**g+Dob;1|}`;b5N0V{)7f9y)MQhP|jz_wFNT zqV&q0b>;b>u~_(03o2~x^oH5u6PxJyl?>j)m9*{JpPkIau(s~qYA2JE&!Z{d+rNIj zf9d+&fbzn~4;0TwWLlXA00IBINtkXW`XvZwbgAvZn{j4unFh&{b$Z3v#EHQ3^9m1b zy}q-V$DS24qNgVeQ@n1M|FuBK9@kG(u!O9VF{~05tQp#J2;awS5YT5o)qI}aKYZ^s z<0E-C*BvAxs|Y5S6K(ogl_HbYm1~Aq(dFI_#G#L zhbTQq;GzYvdXWM^is(E4L;&j(-rXfsvWWpUAM!GQo^fw=W3O+w0_9F}x+-t4n7b~~ z@-tj`=QB`}Q&**1>aTz+q=WFi{o!05<28%JHd(=|V`t=4bEKz%ZH$XdVSWWSeJ)9g za~lIjBFZ=1iz|d>2480eVugO1gkFGEI9D`&#|Yj=zd&Pg+3}=+!juBU>UQ7z`1Nn^ z_2-iWD+bJ`5anoD`0is_5rAY9i#tGoidS2UWxB~rZMCZ|C8B~~pIAcdQ${lqr?maj ziT2uoAfGCLs^}7azu$jw?mkn2uhHCL7G+PJ4tPp{|?XP9`EIt7z$b+WILbd%-ookdV@ zufv)dfj9bx+mxl5&WQKN)(qz-lRUOK_s%@sU?Cb)PglA0;|y%fwuG$@8c2%2%G-j} z89>IV*F*(sPeVQ=FNp~v45-in!m6$%o`l5x(C1Fd`Un>Bdm!uFU?3*OlBZMA*%^rI zI_sO-&tu$7m_thyhVWs2DEtvhWM zy~9ZzO+K2Nte@%tyG`Ft=C`r=d}M1@R|`0>=?1uJCS%++LgMFirGoqsggLypZUprz z!ps&OkVwlt$ONo5CWF_@4t|_*4N|d&Vw~AN1p>QzxivWEjE{VFXN~AWJn;m^W|w?3x2dG6gEGv<%Ynh)9&iSbJsSyUM~ zy|FSmth>wCQs*8=UBb?PoMBh_&I`J+Ka2V~&a&%e8!VkZg(MakpY(crRAH_oa~OpY zrOkmkpD@Zdj%$#6pQEWH+icHEXUiL=&m8<&)hW;nf zWjqrv2*(N{W8UVDk)6TYwMh$lfGy~yDqFq@2wA(g&5U{fWBrah1Vqm>i|jEDQ|;ze z-!DKcj-X1*q(Kdzi@DeM*633%RlC$eaw2@zoFRiBGe^#SA!eOV?d)F7cnS6)CQl@3 z;VT>|1szw;Pv&6)$c7;v26Bf7RT6cEU?*#PbUy%D9p8uI+`V0Y_TovM2!6$fn6jUns zRc!aFU-CM^-SLQGgmNWA&ijnt`XDUn<5A0k-^ zy;`VwOg+zwifBCSGNB&h`2t{D<6QB6+tx>H6Z71+H_|>)JUEdTaU1mpf&@NPE(+)* zth+d&2K%WA4UyaTK)R{G`D(jTE@oOEhy-+2#z@U4dAt|t5C#q~ir6^jt*EYP$=go` ziI|e+G4^H@`jIrR)V8QTv2vp5X(zgWcrnMQ2-TF0$ayLC^7wE_`!IVPDd7KoTopco z7kr@OU8#N)1evt4-U{75L*c5(M~w51c%0e7gmcqL`#WgDjB^ge7Db^UADrt()2fqF z#mkyMPNW@g0UV0}u)< z=J>qFimoI)jw8oiyz9Z}u;Cac2c>?_khL>1lOS1X(G^nQ4EdPiFdN*rvlUA=Ji2sT zs$^=KPzFZAPlis0q@1vp>d}CSu{1l%>%;|Af?2#d+ z*^xa;AUhaKI*M)7+Vu6mmGplA^pBUa{R|7(jv#?WWi3*`5zGum$H%z86H%-ynnoYr zTso#{wQg=-fpoyVR0`L7*jV#x%A}Ywxz$&CQ<%p1`KxT&t-89pVs=+D5mh@_axLix zg8-Nx6Dc{G^z+xx+`2esHntu+w~m^w9LKq*CUe#;*HjAArDSF0O~!kRtK84;d3yf5 zFYG*g<(O{>5VAM=y8pB7_$Nz{`kF|ChIQ|levH4?b-$QSr!g(frns0eZAxk0x&{9z zK6-^JI*D!m=xBb5`<>s;ps~|xx!`xGFRtm*_n$nkJeC5p*OhNlx?Ce7Pf7K41c4y< zpy+CRyT<%{-|_cM18OjrED^$pjE3O49f)H@MzSPjs!#RX24KJAy<3w|>FUmJX#te> zo4(fUi&nGs&DD>e4(`YT(jE}J@mi^wJFdM(n)8Mkku#Nm9$i)6Z#QMVy1-YM441C{ z@E9?-WgftpZtvS%-yfTuonH=af!FfsB-Rt^8&G*n^T$I3)jl899eKi+%$$bW#KFH- z(DozFWgffDrb((j4u`IEvkVV8RVSKjI4e6EPiuQ@ndUw~(S$)8T~qpN1MH`C&R;uS zs+)J4@mQGg+Ymd5l=)Qs)WVZ;rV+_8(o9!@fXr1W+e(|m%d3^(5zfI)D)nlH_DRor zoGl@)PN==QY^6feCQ##|{9?*1j#=WYm}id*Vm$(XmKHIAznZ<=Y}@3-*Utez6SB7# zO@&2Dn*ZRCPXddAK~$^aVtwpFwzlv{GBDEqvRZSqlg(M3#{?(k#H3r9r6&gkR8ke< zc>>!usBby`*=x}B8u3A}f_%#Lf@6V~^2CYn#Yf(vTNHumKwn!SR>p}xz_E-9V9 zst01EKC94rRnBtsV~5VN6?YhV8t8qH_4IU;94~JK=iwXl^PQC;m$7w1Cf{RW&5=Qp zJqq|Kft?MNruyuRxnub%Z$rONMzcr#>C;MAGZ^QZxre#u3`%CeJ*lF9hOObpephX6 zhjqGv-bBZ=A!q+`#B!;~09fC0YHMcLbhVtKD{2%HG{>!*Q*Gms53jl1Bx+ zH{+b$KZAC28FlUndMYsI{c_f?^Tf*^AyqDHSEUcDUtM_MiK3m~dOqm0f1nC)Qm(8& zCeT4gq7WsVUMHSWl1b3wE_Yv)VeSmb*A_U~H`CuMBFyc0j%U_9V7kGnW#VCdrWbo7 zDq`h0`r2uzqvMz>!f(r9(73%EZO1!W#ilvY=r-)=0QNIq9Jd4^4;L%cDe1zp=A}_y zg)p?Asz>F3=u{*C6Kthh>sKks*4;KzU;}Z%w6x?~&v$9(`7?GW!MPiKr}5Sg>_ul+ zA>L!IUS}@K@Kai_x!6D{?{w4yd(Z4d)WI%o;GrkNmoj^}Q`$fe94K7!SkgNd>Vhm3 z<%Tpjcq4HAb#}Pm28d$Eb zpSQ?l7?!bz>_XFo92J2a_$93;#hc=aP7M*A9BtY}#n9cwK_WM^J9`wWY?z zn2KAtTtP>+<-4xCK<4N-Y+lY~rK{OJBR+jJO5FY0#p_$mvLhVg*<#x0!J7`L70P;l+2P+oB zXX^}n`TH~4DhOfI9nEvgpDbZ#+lk1!^>X>58lYwTgz;vYq;dE%$H>?~{)j6lCw+P$ z#6S<}c4dSeA6>OCcIc4$2Owx zu9E?60v@A7m>BHVX1%&W9$k@Csb1k%0j)6H8pAx1$LjL%TB%ZD52r0~tm9mJvkT>F zUnP>i!KG>Q_Zxyw!Jr6yhtcb#1|YDTrF8xX%1*xm%-8Q7;dIyn2h*n3A?T7+=bLQ3 z;6GL1k-+0j1S!I2BbDH&oy7Hx)!}szIe9ead+Yd8%^$)e=!v5JBX=a_@=o*V5PHtE ze(spEe=1cjshPDi6XF&wmT4m7 zEdtn4@R&@kY6Mp6L}2Z=RsCxK-We?sbJB%$O%;7h-_Abjd|&)7U@)mxI^4CTej0V+?mzPm)Dyr_WR211<<~rF<HV%S_N%&ox*iE*1x_B@MLPnc_nOA#bR4(vGfoag0^S&-aq~99!7I``NuIV(lRN zf5pkz0A3dersoxB8QDuw`}%XixN0U`bPw=wvb5eOx{araaMPb~WC~y5{VjUDv8RW( zbdiR6>o%rwOPLC2;bE8VTb9!bBeI%i?5T{yN3toLDW?kYJjUxZmb&j=jm)FMM|l(1 z@6WC(j9AXzSD~_OI^!fo{<;Ji3jSH&kz&!Jslujib1Ofi*zM$Ft1s8*#zFLo4L9_+ zAihUh4c(&e1_XQDtwu2I(G=EWwKz7;=BGfp4dCeQjQI1DHo?u~a+rIU&N*rx zVPrzrf>a&yIkNciuZ+mUe`Z9kudnmiZLS?y;aFiw^Zizgq5ptg#ns&cl&34ovHRLC z42*m(J&lu>F3LHYI^S$9|FkpHu@QAtV%cKqG4TmY;#yvnL__9>S~Rp~eGkQMR-s-q zQfS;6S?{bcvVPPL2=0_ROqJN+A{hUQD~W4*&~0oNyBJ6W#krN3wDvEa#Z3|_A8^!> z7(Ir!K|ib|to!)+ZH+L6i$oVd&3RciwoSIv?s;Vm1&1liK6F4K1 zjjm#fUZt;(=heYr)&{?TKvy^MM0fw}vB_F=TWo6TqFS}(uA6TC%j%^RUBopqqP z-W(ML)=A2E1f)#sdG{h`-Jb>%Q{Cbt&0EQf_;QSDPpR6$(}h|^P(RjUf6%+C>=rse z0qOT`@CvL+!6T#seKRV@B%tq*mFDNw7<5EZEN8aI4RDI9N8KqYweA)DOi3a5tWuVu zuFS#qr@-xgXl<=FP>qNowSF@?;4*$5z5nZ;SK^&gwUy#H_%E+Y)!jrBzl0na%Sub< z9vT=ukiJHU*Pt`f#lUYhiqReAll! zr0k6No_p98J0s-cGrt;D*3uHwy`r0E-c<@v*f%)jU|L1QbZe6(K*Vb9sw;`*`;iWY z^CWmdf!X1Z|M?ezij3ElkWbG!A!|NQ)K>AW2i0#aUPpZM+#aZesit8Ps>^znlZ9Ry ze0~PZtVO481BQ{2;pIbd&Uk$CvI+H|@RU?Ckq{?E57t?jd^(PBS zYA~n7mR60D-iY(juDDCxODcPpj!f76={z;?`p7dVMwoDKli2F7T}6qX!OiQw+9S^b zcLELqj_%f*fls-ufL zM(4YsU_;;t@y$7BiIog~&4bPNDoVB|9;JwI!oJvk;yo_(N5|UC zLN)RF=r}Sww-|-J`;|x3{2SBHK*P=cyU9jqUsKy}rNS z_jmoWKR(y4>+{~V&-Hr0KllB9-}mc&-Si9rqN2J1x)(9M=_a+8-n~DH`ZQ4dy>r!8 zTz9|npT{ubXujJDC3efJ3pK8;g*uP^q-irKCDp+EE|8ZCP^p7+Op(;$?OW6Kk#}>a zV&-n=1a=jraz2>XF~l+6Bb&*3XU-*_WAmB1k?k&hYc=a|@$~e-OAGn4KIcLHqG596 z1PuJ8z?&8poMr*z0^I5`buoJbKyr3#+f&EV$YRA027U8NLX0eWF&5FTH064|qGald zNXs~MiCbh-PuoG?_Z(IMdkL$ARl!^)pQczK|GKntfiPdq7!}75wdz`&0QzZIt9=Yz33`Nq zlTJ1)@f6$8ix@jNmp?1}V`d2h$TEy!8##STa=Awi`1#@&hh`UZPSY*uu5>6pd>*|- z>+<}6)8p|UZHBpEWZhn-(|Rd`CM0Zy}E&w!-xz# z;-|;wrjM5v1{RkvxO`vBs6qmk_$e`N;Ofk`Z*dqqvZ~^=#;HfvFLRzWQd}{Sx5Y)Y z!26oqh7X0MnhrN1hO_i{gQDn8QR7=T)bUo)0Vj20j{`4r%hGC3NbkLh z$R9s0VLbg8$x;y9l!1A%Py$Y>v7?v;T>hf{2EbSF?l{a@9>~F z%Z=B$LQF(}Lwk*v|BjzWcCgh2WN!(bBE&M`$4b0WcngIbNe>B_i}V_V4X;8AtY1o^ zz3tQ|qQFu0r}7Q6yW%85dtrc{hs9&HPJaryxV9SfBW{*pY`k>Vd6jS*L@XNF2Arb4 z*9oTglmU(tZ+wd_v)eq@h6T>ioS|71+r-iLpW6!ywc%~l(Rq1ANHOOSOyS27-%{u%fED7RIFD+tkY$y*H8536Yz*h=eaL+H4L-wMV~e>FC}kyR$M6@KQp5|1T_Pa zP+#tDGaa*9_>KU=M+og`;5AOtEDDfX6=ish9`R4M;&gsjWEDxeVRa5KI!w7CqtB54 z84peYgdj@N=R&#y!HzWz(>LYo8+xjbyq@Q4C!|h56TjU{I_`5m2@j2(H@}GO;fQuu znZk-;<>_EC-)wiJK5OR^xav`mKTrH8`J^H5VET z8>&^IKp9%+eC^#!k6`+~Y{Db%Fkf1_M*^O1`YS9~m^n!jXd3bqSBqJEqs8E$oE3pL zzgw04Hel%5G+^!yOp|W_9Kx6PtPO6C8<>XPqd1m`XXYb-g(8#?M7{R63sdXMSbJMcP1!9PHEfAR}#<2aM6_ z8%wWcL*-jz1fL^H(#NMh5WbD?Dn)$jYROyVQB2Ou!+OLmj_1#pn!~weC+V&Uv%zR< zzHf&{p2ANjrH}Md ziP6IFGup1*cXio~LL;Grcm4?`V6_OUh#yf6+Qm!}zVChg?V!PtouFpY_?1nIYVo}X zsl!FC3<->waPSV@^QoR&W5oe;W^R6;%8dWS8JJbWyQRa?VPWL}7P-C<; z^~jSFt@5EYDITC*Hu62!K;LoEo`Z7p4=Afav~TGa;lx}mdO0>n-W;CH#|*ab)t5vi zcTIah{qbT~Q`-?YF)xDOs@SM&@@Vx_;|=%s>1KLhuLc1RTc>Y!EqGS5F@YX!qSC)$ zFHPw6?lAb-ANc2G4z;gw)s}B5<^+B{M*3LOgu^Dfmb#gHfXK@$ua^Y+9|z4=rGJRWmC3$B8SR`3MBuv09h4 z?S6=g#SG1J@?0V{c|p1ufbSD4E=sI)ssb^byoi~wL(r@ApVt2rizWv<;%M(548o#) zgm!pU96T(7sQhzRkM;BPb9ztmP29RC{i6*h{bOWSkNhl;51a4KqApmrzStux$meAT zL|@g7Il6iNhF$ge(C|P4^ya~zz--sizC$CXHi^1h@Va`4+X!wq{_L-hTAW-t{-b2s)rDmhd<(NQmt30!T~ja^c&)7qoo zX_}4B>eKdm|IFI7ft*SO;ZBC-o7OfpiYG7eiH!t?nY#ru{7?Zod8#|xoY$fVe`WG` z3eplu1TP@&cWY;r}!1K7^49A4j|buf8<$nMIYeXK;=$ zW0bxg>me%_gCnO#@@Sp2dZ4S)Hh9-tX9{i6dVZuMxqVM%u4WF9-UV+`*+wz*ODtDt zOp%CJeq@#XXJ50L58C$%%a8sgw0p2U0k$BO)O0Di7y z2-~*0X3zH*vS*!n$tD(y73*jyr&!f(`e<&g(qo->%}puBH*dWjTWKQGD*Gqud zbrI$mv(B+>ugt9(4cT2<=dl|5*I`BgYAGoSx+*$d)+(nmPONkC%UF{Ealbm)@A>=9 zKQ?Frsq5WRzaKmQ%_L1fRG#i=4sgfpvt?tIf1|Fr1HG}O&jROWV8n}Tx!4`Qk8lLY zOCIHK*86XbU8w-4u%z|0&pOYQ`dM}Ju5?Gl)iI!fG)TaT`Hr$S4~ zKx!*MNa@}1f%RVo;eRH`Y8pu0{~J9g0Gk+vElVoDV*}{@{||aG3bN~sa9%^NlH9)@ zqv-M)dfhbIe#+@}8!LX^y18#&*+A;6DBa;o+w(WuK(@oP#|_u%sH1dU;?=AD@-Dh; z*oROc^HU9jg&>&)9Vxd+|69!Ye^OA6eyJm6ZGji9t-oZZr6phP?fQO*y7Ei6q7r_Z zXHJ1j#eIEb5_5rri=^{Ym z;whhITH6@>A%*#%MvO z#-Zpidc8w0Z2D;UTPJXht%*OgS(g~N+G5IRlgl=}*{gyA2mgJ8X1@y@x1{n_3=U%j ziu>;0`Wpidepz51`nIA4^sW$63;Nppit(N{JIGEUu};Le>bPg zH8ywDmD&oqsn`$0M?;z*q#sB1|5yzfPh?%;?C2*I4}*?P9gK6F7`9lxo;%B$SbMT= zIm%;wH+Ajy^RPT~p&|ojr^XYt$-m`UMOZ=M%s^GjBmINfkJz6f$zT0Y2A8UiLf)`q z(`HWEG(jSMnHeXoJV}WLh2L$hOy`Gg-V>MIYU;!CZE#iCZ9;zxI>ByprXXd?HkB^4 zBwgg};B#(gW8j?ZhfVFhZU1~~nKh~=9e9hc1etp^=cpZ?N0Tz?oZI(^9naMm`yjqd z(|H`SWOyW&=#_CtI65}bia(|~TFCRlL~DoDUmamV>wOf|Wjbc=6UYBv2%Mc9dV96i z!99`teBk8g2<%_+4)XaxEcs0KZqu=Lwf*e+BdT8}k)I^G?bUeW!=91c8+Qk8w=+DM zW!3doKdLpp*0q(2Eu{arJ;Jr zVq4k3A>V_L3O(R14&74a+@>>Yc3y-Eg|dwwJqz1HQJO2a-p&yFakBB2Dej5#DOWXe0cVpPuvV zqr;fV0oR#(z>vfIalK-_2Eo&FeamZTWqR#!c7YWFXwBRg&IVT>2lpCxzrtf&Sj^q= zLt}9-YUhw5>dBovf^W6aNLo<)f?i`lvO?Fz8C4iF3X$wEJtMi0Fv6~1%mrE$YEjAD z+8*%o?I(AP*gS*}AR6sbo4f`Rn}I_DAuoQRQ{VT;APzp%g|#KVcT4Kmo~4=FM7Ux$ zk(V6`G}s18s@e9rb^W~dJ6#cdDAE+CX934Z>O!!|nkU$)R0zE9CT**Bx0e*4>ci>C zf(saqbu;(d4dxIz#tJqqh8PmOpENgR7BRk)*s|M8Acr1A1-RG--N9E?ohArtLnXRv zS`1O7tT5J@i2j4~kc04aV`?&-0+vTMk3EUv;yMV^oodG^etM!dKQJ)5=^JY1!@_t% z(LQav0t+P$0fRHL?R;OBW#Ed7NPy5n3!pOwxBgbUXmW_X((%aMH?*5P?5qm&i*YF= zu=Hvf*W<|%d`Zq|Hpb$Tg(4lWRb^OXf$=lo(*JBu!UGW=alkS9l)uD2Oijjl={u}0`*95Hu}^^e&I@@pc;I3 hV-nDJkGW55`Fh$&^}rT}{vW`{$==nj+U8=~zX0jITg3nX literal 349844 zcmce;XH=8j)-H?`0ShRIh|-iMAcQJX10p3<=}m(4CLp1A5fqRPLg*+}dhZD+(j&ch zkP?tyLkoO2K6}4gpZ6Q*$KyGhF+xI;`(A6!HOn=xITt}sm1M47x_t=;2j?n8_K7ME z&J_d>4xug4Mc^G(+`$&$>4Jl*%wwFwF6w3Ak62S}h?$}y4jb^A2nYYdZ5)F0uK*9R z3wQqKwe*GiICwwb$Hl=3u*AXt*LReF=kuQk;BkJtJE$7~CDE2fRW2QdY+S2j?c!`Qrja zm2ndoYs6Ar+fiFlLCDz7hSSi*&d8M0)#l~-eQ-ovg@BhfrjCa6t~M`h9fVv(@BRFS z5b*l^ZO}dXpI>pb7QLsf_>^AK4rWUKkdup(>z>#pdU|>hn2DK?>J#aIT@L&ude6eq z@ud(5B7rt2Qvq83knK?xOhN3JRHC`I2_z;9SvPMY#kW>y2-!q^TgD_7-sp> z(bCSA{`|g%Ms`k)qWA8d5A;7jf6dd>)$%_h**g4dS-=88=bwPMIk`apb8p~Mk@I(j zo?5z^zR-DMX#>a%7(!(D~Ybk;Pwv{`oE-X|YQpp#Rx5u}jtI{D9KpP+LAxRtKH| zl{^2zs{(%A|LYlejZ0l!V&}+!gCmXuc_N|idSP{v@cE6wq0d`o_w?~Ii2|SFNj)LB z?(voLz7#>T^mQqM8x_OJurOLiQ(l?U~CGYvV^v zqOskW_+=L}?>njSWta)_YV&V0U!HR*ej{B;eHB*|mui_~q%5P!!Lk=F_RLD16+}VG z%8@A_8zC;v$iZ>na#6$~?X;pd(z5D-UIk>xW+a)!G>n+qF+vcP1j8)7VIGz$Q|EJQe!n1o_d(V%|oefR-nZoN?jlns<24%^9oy(Jh4}~&5 zXRGJB`v;S!f7*k~+$)9aLgFJ37aPlF6a^()7ct1Cf!2T6@LTz#Th9>1`NLiE{o&+R zbey7NsfKLGN5|TKpx@WTKYS*@)ql%Dl$Dt!JG^p7{%ftwjf1N%CH_cNCU7+y<*nr2 zh13+qQ>)gOd(ff&sV@A~qZ`%YGhqSKSF$oQ+sUy-QR4JZX9PYIT>q1mzq|~{vg&nC z4l9q%^UILS7blOkrT@97_)C(>0f_4git-g?&^8y=mp+_<|J(@ZuQ6X+5;@p=uFEBr zMS{?jbtUdMr1%4ualX^Z7rOJN!>H1P@p94ZM8dM)YPM&;OOF;j7Iu zaafQ+3qxHlr~JtV{3W#c=T;pT;!{S1{(N#5qBnWKab{%DET+nLe?B?D5?Bb;NHPGu zWkfW6Mt|Y>gMeiZih#~C4XV3B=x3SMeeM8g=pXBwkvM(N-Mg%DvAGmb-PX@*FE9Uz zS#5DXXG1U&`Z3R%vQa?4V_kgFGJi0)$Mij47!etn7H{C1-1d?a`2RS>)4vk;ybK6` z$ImjW5moLVyT$RPpWzR}Zj-Vyt3g&LV4)}vT1t#Y! z-s(U9Tvs<&LEeJuj!TpNAD9ABQ-$~ku5_gk*N=_z`JVI>gnzKm z4P4(aKgCA*cbcx26dN~1!2kSSuf(qq0g;)RP)+UACK+BTLDe4^7X5R4g+|oLbE{m4 zE9>V=pfAs#;`-vy{d1uKrhlF6{->mfGd4s<+isJl%G_wx#;esS2l4%N{i~~dOMkFkM*GQ8Gn&fLJTUEeQUsE5e*?b(#KKF&poE!H8#Htj z>5-ZdpUe6G19HSOaGfKyh08x^7_(EW>auCxXE42Vf6KIp>YH(0kp1dJg|g#&GUopc zsOiDDO@iC$ErS2c!(X$;Wg@vGYo#lF7UZYUlkR!grwTcS#o^y-$lARG$^o3y>jnyF z<=O~?UL}@2Co3UX$yAQ+L8jt<*B2&IGOtI#aQ7eier1nkuMW0n`fY6bOSrcUMttZM zPbbR^Ds88Y+43@Uw%&XtWe3HOaNK#rZpLTX{HSu>8JEB55zmY5+9nT6Xyzl5-~Asw zEqbvo7P2p0F4Rd~O{_q{r+VQxJ&G$+ZrZx^%E@I9w=-p7?TtZ-L^s~!NEE$}S`_+KL{G2b zva(v1dJRKI%T23lo_)Ub-lCZCb~MEtmpw_rkH;YlXN?H>;&d4A-x7p(RXFxx-?4{B zSjQ&qlbe~MzsUvXLIXbEsA+4LSE#6ItTzgfN1#G5Fnd;QJf;df4 zM_OSmAcZjr`YC)O_vUeyuAO`Tv9D`%xOL7O(G3FYrMW200?$CZbiWbz+jAopM$|&r z=ZZD91<*)7AKRoizbp5(b7lCBF5BPEXwpV3*>nD`rQ#Aq79n#*SA`2Q;A~>M3q+2^ zKdr}KGiAePV+wC^(OH{Daf#@AeDuX@n~JYK!0q1i`TsfuH}ePID5n*dxQGVer2rFus0k&Vn8TF3mv{#8?{e`q0s*Eo;?tBu7jY}t{PFF-!JGRy z7lfCYt`W(0T4jM`;!iNZ>|_-#0Z#TPYID20CArjL7}{Sm|6H*A@iOj*88RaJ2+9ku zp>8VQZ~Z#b{aoC{s#EqmRjaX=0^Udd&|p8^@KBCvz+4hdJcwgO9B@#h_XT^m5y;F3Rzh+?xIvVji_?AB9f%A<=qv``Q zX-Ui>I(ZUnbJnp~P?xj*9TFLRJunPV{-x?ZwqI4DDeRRfkL<$N4%BQ+hg&VT5p~Kz zsYpDg?}5(9-?L5eSYSq_CWh(P>026$F8q2MzzM66Z88AziHN(QAkR$!CDZe8-)}e_ z<*dW3!rxJJ$S(IWiBvSV6VcBU;YfgdL@lrWM?M$ujg+5vPvMoiPd;QdsC++=5AE&0 zN;bFI1Yc-Jz|GnlrGH=j1^m(*^j(omm+yq)aNqR4`nMqdF6tE>cbItVmmR+xRzef^ z$Lz}8r^gAMnl04>^ zoBKntS==Q3wA>`hA$M7Jptl>pT>5=)aBu}Ljo6313UZ)UPGXSBa~+3-FinZsr%?X7 z1=sE$;i9x`Z*XM8PPjF8_PEY5E7#sD0DO%I8C)G@g4am4Ax&YgWLntEA{%s5CrWbSW{ z^^)Fa>kx(>ZhLPoj)hkW@-G&ab(XGt4+;mAI2TajPuqQueqCWx;HzQ!AS__qFNn_; z5%42(i2Sc21KjD>UGXFaF)_4kYSb^OLfRl1{6t^JM3=>!~GW*invLDl?mQb zkdMsq`?RS#LdQHTL$7g@L3OzEf{) z3CbM3Z_>U;G3WZb?fEv|+`K(U$wH*@#};7Z~je#*=?|HvE2BBmrw zpL@Q*4*9v?7Rc~(fyUS7ikVIlcc4E~nK=GN+cpINNaEliiNQSsxs(1rRnxH#vHztJ$)HgR zjqpRP5hC(RayLk7PVOyCTJyxMO9TAN`Gi`cO=OXnBN7 zqX`JK2AWVi)i)K>&%|{nC11noeaLv?YVyzqYCId~|!-WVzH}VVI%;)uO1E zVHNW=6FO@&+L~8V1bqlp1KuB z%5K;K(nbMv?No(>2dhS|dRXh)WSz1ZcrPj=BTKh6*~OXM(sQi6CS_-m6x{xfB5!^; z#-}aC2NNe&EYm@}7Z&sOs!{}lwPyF0r}Mp6;_H858oy`&1heuK1TrH|4!)9Z4{8~- zm!|r}ZZw=J$;Cck%}#R9O>$Jl6U0n7WZEL#YuI5=!f@F&^CR4fkj(P%)B6oY&sa0% z;j#URe38-0Vmi0^tsY!e7G!GO8Pz$!?Y-iT#dcq$5_B%zi7-#{&Yf_Nu6n1UWc=XQ z{0Rs5`cJ^I_Vv~+L%3d!d500MKg!qHmeA>0g_x9 z0965A_6cB|d*YGuuDv8z9n898A>=Icvi$S2A7M7ASV7vaUHJs%(Vc;_U+4D@cgn??QfJ?GJBaHn%&Ym|zCs>!ltT+ha|hP81vj`uaA!Sm>?E znB~JJD+HtNMkW}fcUR3^^v>hnJQ>Oywd1x3oBZGPf{6a<0RB6pB;y%L()L6F*MyVS(5Vh@Cwj7K%DQlIiEj8@h=RU5Gyg_z2Kq2v)#tm{r?FlZ+uIV}NVQFPHdkIcF*6YDt z?n;-}&&1HNo7=~^{M!fQWs(Uf)>%{3kj-|Rala|1;Y=6(o>O1$2aQjN#*OED2^E?Y zkLpV96g5b939dML!~l%plluSyF$AJBKw1F>iw~ODp+dWxuh*~eeDDFg9T!wRw!4>D zLFm30rDsl?S!!oCBd+kyc3`pbu1sz-fPkm33ulB#E^)>J^1fAKd=^vd8TjPttT z7$RAeN1=bT>)liT<{27~_V#^&a+}2EYVA49ng7 zf8S3a*G;>HZnJI-#u|$3eJkrL{)mZ;GVofUpnAA#n5Uzdb@-x}a-Zqlq=+tetPx=| z-ra~dpKBXVBYVS@oc0~-k;zG8#r0*U4Rr7~j`eHD;#z{GW=`f{pmz22gh1Av^)!`R zIZkIL2Mvv8nm(ObeUzq4!QLxLIEvz&HO$78XSu2hO5b_$OX7Ah|zlPdp+$I2RY z(&Dk*?t_=3^(X^zMRCcr0{!eh>1B4!)4Sx^B9=5cn7yZ|wxcOA2?=bH(jlaf=YxI@ za<1`0J35DMhnMm?)s)0kY^|rI{p6$$p~7lqC{Cw$xRfglQW zR6HNM5HEB;J>AEoD#F`Q!ujIiG-g^pVBF5ZwhZvGu$|7THY&x$4sSJ0>#gt2JccK8 zU4frusO|j`*seM)g0gwl7R5P;!|?8HQH3!OfyTiA;yyk$m7yY8v$nXx zL-X|_Kw3}XG9qtmbi=bz4_^AD1|&Dd0I1_0oL^Y^BBPj*hG;wI>_RdI94SEgp!{~8 z*Fa=nnO^pT2Dr!3q1*PJz*$+C_274yrE{-fyd8Z2hcRv9qI&T1*rAzVj`!q?aPO}Z z-F1ugjxdaAC!l&~zIfZu&t`|VOi}M6KL#Oz%0kpo?QsC}y60vudMHawbR$YvX6WUH z8Px^+?QfOYw;hu-sc3(0rHu$$9;|K_qjVc9Wb7J}cm8YRzz4KKfF zeu^zZXkeq2qI4^)bkII$SeH`!uhP~!!s!+PF{UW**rNIqRg#A^+_rT{KL;B9ky@ub z$i$)C>ESV5^q#hy(xa04fjlj(4mg-`zIu~FaZLMYPIa`{&~NWS!Ux#<8coK2x;#zD ziY67q#~-{3o<@NG+3mgCxjKcEuXS91kzyQQp-&z>rMsyVs}r}slYfS$gD5IS12{r< zu3s5$HJJORJcr#|a0Ok^U2ik~@NhAasdUV9sKR9=g6uEkkj z9q)NC`xwI8{i(mCm4>A?-lvfTv*Bmv4|VO8nhiLpr40>}a`)p+^;GfJPB=ZptPbg< zcyU7>zLDWQYnM=V^KZ1ERqIcEz%FNXtyHXRo{lY>0Mu>X*d837 z)=M1MA8x!fzw&_u<$b7F9^&2%fGU*=D*z=WF$w*6?;+77(hn55vz=GV3UvLrhJEQw~}GfQll1DZrI&D|+Ss|woooKYubX{W`aN!zntDnXK- znV`G~(jbvu;L(4=vn8#yCq1Aj=h7M&IK(m;?^1A+&=TSS0X4LCK0WMz>7u9c2-XG=-V#tNLaPZLN z-RRirwaM(F@)s0V+s%~0^C^Y;$;K5|3TanTZYR6HD-&`Yd1-0i$v<>tQ#ExDoRC43 zOuITMQ_kTrAGH}(tCp=0X{na2-TL-y$sIGUd9qif zLcEaTz(G=3m*ajO>hlFW6I3k6P$de~@K`#Oieb3Yg4239>#X&p@iORrD~p0-S1*BL zQcd}2bC(4*pM$=~dEIF>Y*Bu(?mKN#`Unb@hdGY%4 zLMaKSMN6UC`VYsgH|Fvy)`i8fhyTuMf5NPq%S%fc&OsKUW8q!&>s?IV70cdafLYfS zyjF1S{leHK%rZB*T;6}XJ*j5-i{7#Kgo78x2Q%rCq-dAu%aWTY!Q{Bj0R7Ily7QQC zN`5k3=qlAn{}u648EJ3=txwPA+KVG)iHpe7FwX<~qYuoad-Ynh0umdOXIGzp7n5l? zS%0~**H zd5fvK7~j3Fjd8|y*-aXpX(!fB8Rpg{X%8cXO-8ZFh5|d-4>!TLguQE>6r71c!Y*sE zncy=c8nssSoE)9Gz=(%yF?2q2r=jO4v@oES zX*(HmR{SkNP>oqJ>G>LJy){&zLI487CQSm7wQLL`tu$Bo1`c%_tQ|gKM)>=L9o2+* z&tGS+k%{(Pwd{o(Ky-#JNP#R4o;X%f;ex7erHwZ0BAre8qMyES4=^SANsJ2;{3&Vm9x}m`NHB z0Gh7dG-(XhBwKSk^V-ie9Se!?E4KtPOHT$DDlw5lwQ}{j=n2uHy;AQzA9$ihOCYTiS z-1JNH6J6Q`Qjhlh8jvpP>Yb$LQBd2`*snealiWJb{bn-jovQ^!u{+(Jrw&)aaHn5s zIG~h$MsO0McrdEztgH(#5jB9{x4xKY;bSb!GMnKRY;7{KIeXKWB#mkrvl{Ro%-Br~ zx+7rwUeC^ULml4UfgLdpFUwu7%|nJzb3cQ+bBmHh3<}mNvbT%utU9RXs^_edY}wRJ zbKjh{4S9Pl(BAhAUE+mj20p{JsKR8$?9n4Cuf#?>EZUUa-Sx9eY-*%B<`&Cd64K zu~1Hzv(GXJiB{*=aq3L*5jtBo{)Y=JrImME*bNJAXLP`gJ{T zv(#xtGtVJF*z$>C7x)ZU5J)2CcbOIE59Y#2t6)O`S7@nKyY_SQif$H^mbAaG=!<+Z zk?ywiDK}yFW3)lgt^H7o;`w*%MG*j11PMQ0k0!8d;J_a5Rk+AwkM{(jyl-8+{T9D%~P1h6(Ey2S-Qc(%X5CD;EswLMRjtD0bw)? z^~WAUHZrBxrh28xpBC1wyR%E~>>aji>KN7`Q%FUgi{=#`ujNaWGK7n$LfsBCBc3n_ zyJii(s)r)99r@rY3^F5Cj6srbWkY}P&-X}@#vHLEzt3q5_L>niW1Nx>RfYptTz=)D zO}?{k)wf&3kJ%9xsRgrypua%r1SZb*97 z>X@!MHtQGKzM^8PI=Ze==E>~R7);xfwGacFbu$-=Z@euYCx&**OAB6aKzHdaG`Y7f zr=4>Z7Mg`hGK0CS$c=`6UFWlx@ElY@M)I*p?5~*@y*fPtPez}-X~p)nTcm<6tF(-2 z1q(R0dBmm$4V2-W^$6lOw;Ol5QA;WeYw`dYVrC^2bI0ao2uDLG|T-0UNiDECokKF zgBJ<}rXB0chBrE#B03WIt#yZoH&z(1Df-h5XBaF-lYe3u>NRL3Gfsn9G9KEFtgwP` z>~v2dJr))dZDAKr2mE6RX+58Y39q~A)NBj5Ij(A>>u>Wt(kTbORT4T_0^qXU-e`|g z!6Hm+xKMM|Y?koyLJ)-9sf=IrXk-p%UuL#%HL&R2s-5PX&KDvcLX3#ot@PX;)f&=Y zo)H`k{a#3TvWIb};wYG<@5tWzqiJ9WsU#HHxr+rWw%*4$pW0lq{SV9q#f}{Ar zt)_WaSXT{t3|_LRFXR%-Bwt?{>x3VXo#Ne6+~9hh|vf;@j!SmiDBf&^Z8lk zkJfhA`?bcVJCzeCctRh1qYk1ldrMusMSVIXdCkt4$uJu!~ zI_X1E1wB6J$;xX(MLXr?V$;Lh5AdA2Q$%51I?FT`ySJ{s76k|^O`cG%FwtQZ%T@FK zX~_a{6XkWUqhrCBPhTV1tsENspt?p%GM$60h^XM$>i&GqWIo@8+85B1NuT#7E=kU+ zeO+=w`VM*Cso8jpr@hQE7oQlrLL)LkE&0niD^vbwU zA-@~yrNLr>Ku1HUN(6UU5IJ+(st#{~ymdfG_f0RuY3WJ_7tYvi51Z)NT()pROnrm1L8DgU0M zDK@wa@XKXnW~*L8!}uWV1 zc=n0bG{}d~dpOh3s}o)tWX(Hx*CH?E@?+^)$7Hy;z*`K3>sBT_bBdUyO&QD)qc>)b z=vPjDsNW^RZu~M-u*^JBj5;wBASH%AWVkDpvosh#=&d&xlcCqdHxoO2eNyaL<0Sl* z5OcHOC~30X0nO=V(WY&UVP#3Z@8Z~2pQ_<(Q%nQ24#~`fR)He~I>FuwdtqQr_xIf-UzecgD}U!HpIR{KjN-xK|>P&vyRBot-xAn$>MovXg#~97n@R)akZH4UEFtF#;&m=$g8$;Y~v~ z!_A*;f$lsq-p59}g=F?x;i)85$m zmPDS{dh3^KWR?b30MCX_ORs;+qTU(DFQ35IE~^cznnjmROMozR4~Cz4#w-R?_X_lMub^XM>)VH2_$xqOyCeV>8WtxPDuh;{hI!7Od~xV?&0zk)rfY^BUvE4 zJ(QPdc|=Pi(Dlw{slw?wK>=>U_`v?#71QRT2HgOChqa3B%^t(M+4C$=vOe(}nkSwh ztnr?%o1>9?5`)NfDLZ``gMsUC$J--Sb?SM#qvvs!1yOD{-gkvL>Uy+2-EiJCS6);w zN$Ceaj*Iu5+ zoIHmj?dMw3G*s9$bLS@%yc^8Vv#;YAi!0JBYj`~9_L?sKwKuky35IE(v*e0gKg}OA zF|*Sf)^z?#$-?n+Ahhg4NBrDXXT9E}W1zgb=+*ZSw}hF?`Q(bu4q9lXvIQI!X9~V~ zoKoRF;Drp(&Z`I)Ql&){1tWuj3dIeH3t#}wZ)GdUZcu9BvsRnpZ$F68YYb)%AmPEw zvQ`aNVoBB>zH)82WjVd(c-p7)!*WrgN&oJJt+mVO1>v$;W9D`MROhR~a*1|!N-21p zhRTNQ6CC?dF(Hfmvr=a_)0W_i4*1vF0$vT*1HD*&=tO@w z9uLRe?Tm{U>`fE%YZxadooM#hgeS3f^*Z-98ZaqpI$y<<@`4ejWD2`3rwTEAs<>`tYKzmsW zuZ(h3r?S);PmJ?h@L6|7uPfd~9f1czl~HYv5qT?ourhr5AgRcKzlT-{y zeP=kR!N-e1FR_hM|@^piH!JESAaa9Osp}-OQCv~Z-`lKj5+zB z;##wGj(5Xz3SCUpMN1!U|3?0AGhKt2N4!>Y?j_s?df8Mi@wCjYzx+6S2HP4|t#!0K z)+|l3Hq|WX$?Y$wn&c$i?T~GHnR*R^X!3&c#bP}{Uh7h7`U@+&B=@T-?2Ip76J(l? z1s|@myD=@>SnHKt?vB(Penwkrpaq~lQpX0#utGKVe(qYsrBB4A_Wd{WL=LM}@Fc_R zNz1v+w0+bv1+WhNGv4PM-4iMfJ27{Q23$7`X^r4-@eznbFbbf}l3k^V5GWh)37Tw1 z?2^ol^>oBEw2#{%nSv=n&SQfY6wu$iI)dKJV?6dJ$e`tC0sDCED~?qV@0y*$!l7Bw zTBm4bFqW}DXN+_KvC|Eg=R~S^JtXEL;6J1?X8q&=G>A97{ye{|EX?q&&e%<7a(oJT zoYDO`a;T7eg@$EpZoIJSJ6dAQyD-L7E2oNeNj80MWAAvrG5yunZW*4mWuT-PcA z;%XUxR>x%ySW3i%t>fYLg65mpaIupf!QCA56reZYj&8cMg*jRBkAWNp$c}+aSP5l4 zc3*FKqQno$wiAU$^~%t#0WLke%S9I8nUnUNW&tKK_SnPGrIO=h$yji;_-oSM>P=c2 zVa*ipqnuS|^RX0-!RSrDLc|G=PJ@^iqj~{P`k)ys0jL$3u94tB0s0G=fckRBuE<7W zQ&@*au0J0+lz`cO^SR|Gq~S(o=fx7;^& z;mW`N7eL$C)Iyi=LW)Nnq{?F>vKxH-ZEUDS&3xH@+AF>*xaA@kFc$DdIa<$R$6BOK zmfqW!GL~fB<978_usF zp%a<$=DiI&S^|%iK!hJH4`j}T_7#5#`WqhlTqk~x(xd^D77w7b0yO}o{X0Dcae$E9 zxdR1y!#bn}Bc-On&tO|pU5n=_ge{W4yf(0m_r=|8SIEf6`l6#fXzoT3^4n*k{XiAn zBZPWR)Ll%S2c}{B+hxd5KWuC8LVMs4?*biAC>AX5(cr`b-U1(Hstox(S z*{LcUTtcB#7#y|c-K>4DhPn0LQ)>JP8ZE;8H8Y|4xBG@L@Z8(bM3a#v$WT^U;=|a) zG3d%vCl4-BQzTA1r~R(s&ZoP$z_$02?@mWT)cTK&1Nb(lI~L$jdP4a9yLQOvDY(b{ zS1*_XH9)4PjkNQOUM(+FY~b18IGo?veR7mnRIOczSZ$0z)g4#=5EErCik@0|jS;IP z8Qvf~7Ih6*FNlg%h#q!6KWg%r0I|OSw2MWZ@Xyy%HjC%SH!}PW>C`bdpae}~%!uu_G8^95S zk2(DVJ%(R1oB4;eSE?r6gHH}5-T5Q)$)H20huP2i(`p=SH7Qh*k_+D)wzo&cakY)5 zF$7+5dn79O*-5s|D4xf3exP6J^61Tao)=4B(=Ocg=*SsUa3!9WAP(wVtX(l#8>@gR z?u3xgIKLsUQ%nv3mnFZyp@`n>1}6}M?CKBSUZLjt>~5l1=)PEkUN~{!m3D4lF<*U% z+9*wxD58XV>)-U+Q%tdwVjl^i8tRtwho#QTG@`yUO$#T-ofm$4eRh2qj;`M3@c7mc zeni;Hz;KZ(s_;&V=`XC7=QW~@D`|>j$r9z{fgYu2nl5(1L#2S`dl?W=%=N6iY0#>& z8q_7zPfs1gm~^v%xgll>skTKOWsCYd85ghSyW9laD(3=tQVzN@7EI`z(VudqCY^R+vnQTpH`+b;r^WS?r>wwXnJ9-+RCL8xsehEn<#NA zMNY;v6vb{uqqUFAemqHB3p(!*GGY=hl`lDZB!3;4ABnb|kDFJq}{PVkDA(^&3s#j-Hrd{rq3 z^-F`S(~pOWu7{4j!`s`|c0!oA@#!mFzCb&bcp)wnIJe~w93N*wly~eI3DP``NS1J9 zRHNxt&%R?<3pv_fNnIY=-xy~xf7p48;0fO4+t0Q4jyL+UoLb7nEIa1jvb?JHqghvx zsXty9ULKfrM(ZX#13HI7Iv(k|V+uK49vw3PR;hH9aHRz3>sdKDZyZ7k^NjU{>c%gk zK=sA@sY9PiD0UCms;1}Pu8e7q@3x{1JXseS<;=0x9ln;T%F7~Q%%vvn!+n_!=GmQ> zL5QadZ)P-5fIu%DR4a>}}^gwE$Ep4xrsqo&Lq41lP}3oO2;OtcHtVo}WodYD^^ zXn>-G@&{??UT;m=UmayYCpl#y*=jUgdpiWy@!{u<4=l`z=S6KGLUX=4R+%fhl&j5M^IY-Tt7XM(ZelONg2(pg#PG&QQ2vF60_ zxDfT*k%?>(R<;nQ6zsZkS7#1VG=hw~)QjONZba>CT{v&KZ6MWlw8+Q{LX|=(5Bq zuQPHt<1de`U5=fz8cTCA@yXsSxx3ji3Kk#-h+3Dsr@z05Wr38{ueyoJ5zF-2Ie8jbMv0q!i{m_RF5I~v9_N2mR9cw&*~_UKr5*|40K{e=DlJCY z@#qH%l)0i$l^#%?SMp+{Sfa3cRW-Y_cJD`f#9dPP^L`1iW@W8DVl@E zV%lZsye*Q8eBX~cq`Y@$NqSyTq*ErX3ytozH%L8fNgR{6vdZPNOxiNaBo;>=?>h0^ z1afW8s`7^R-0C!&DNj@Z(DedK7+5Og)PF2A&S&wmbiwm=4IRhV<5oJKHU-|a{IEhJ z<=OO}{U4)hH#tu}PjT!-MJ1~|eP}awzn~B~bVyx}HBa&A5_*`>CCG$W;;pcCD{yEK zN-GqL7L@|L5ZaQ}jH8`eY;t<%LJd+fV6#(255vB+(3K{d)ujTn*$MHXYqUE}-Mh2U ztkv%WwxV;&5OFntM@X)MP0BB!&Vl*xzGoLi?QNg+3-rba#ZVE_oF_ zIB|`Hq#SkWZv3k|%Q~L!*UI5c!{>J~KC-S-l*eqkTbb+jGUIs!JQyI=uq&lErgrb# z^ks1z$0HTH4`e{7bDYsh$rc$;h4HyrH*wr3kpIV z`92p$*UMY6?yP3<@yfQ6GYd)^Q|r2^=lT2)1d3>lD9Ydl3YvJi?1vmh@81PzzI;7f zp!SlP0Gp>n!(Vq8ZI6?aUkx31NZMurb%!Jz)d zE7bQXpS}DjB4{2K;v<5r&D*b%O#n~-fTyi3xr`3Sf6>$`g4*!s#Td7U#(L*_C0l&M z29`XTtG6Kc)uuc+PQ99jRd*~URPS6*smLwUbQ#Jy^TPo3hIrvVGZ)VB>*61lE=R1Y z?t&##05ob#44U?C7=S4CO0=Js?-r!ajy#Ydw*{KVTuy5g7v2tOnY&G#c|T(=TdcQO z>px8y+u*IU99aqidKDH|ozd0$4SFIa&=&fG{V(j^dQ9ZmT@_ky{IvpJ6X1K2pHp1O zM)@BXfU_=3j6a)*VdDky@?WgBJF*lLlNc}Q9d3Rlg`ab-Ii5Tl6~hXqQD63Lt>1@T zR-lOPTzuy8TndlMA=SHuO)HPk8b>->X{bkvTBzn37e&!hp?I)eLWX) z*x`a!AhWLL(K5^3@t-VKk;>PxeV{1OzNC_#giR2EeR)F}xBYzFbe3=Hzyr2Elu>N!EZWcnL{cvf^~2XJ?1sLD;xy*gGMBrI;vu>XI|(> z`f(4v-tvj^BHiWql7Uvg-s?JDBI%GeFUxC6^Pb=n)mf=KeIyW!(*|u{Rw2SP z>bcdxr+7<`@`pgoNdS059e_Vvc_=(Nq^TslknzG!haG3{4xjG+>ZCOduVW9MYRUJH zU0dEvi0ZSE>Vwy13%qKYO6)!JH$S|z^(XjMDK{BEBum^x97iraV^M_FY;Ol&68S3v zrP(a0_Yi~JJBjD$;DTlSc^W_5ZPj*e4!0H0ew8HIxeX$={D!6gPsxLicIDkT1ihXH zIdqBW+ahKYs5fAX(Vz}edALsN1kBjla%^55?Fv)`fL3PEc_V}o;J~mwmjc?h4YYKJ zd*6Wqs8y$Gn1Oc7{~SaHUX=jncE66B&jY2?*z%&cqBf&ZV!CC>LWec$t048P)W^U+uKK{m{st&n`t} zO)5ND%qCYMK1qyB!WsP*j@z~V$m2M7+6PWMS!XJ@S%Mkgd7GVdFFZW;8d-iR#*|;K z0NI@qPJ{Vm!PPD*g%Zs6r$nAceDPxf(Am1)^|}muZ#IMlnPOQmr{inmv0`Rw%kL@@ zO5XU$Q~n^WgwJWwr`Ne`=OuMw9h|}cZX7qYsXclZywHK-baXzB*(6KRHa3_^$OFZo z5|Yh}cz!)5=!<);N9its{$Mj!`>(xyVs7CEnT>?Dp&KOo)x!9-Zc z7CS-+l=Vl}4n#3?$N^C!HD?3ax{c$1*SQsMBi2WeWo6?ufx}iG2g5)8Sakqhq2q05 zb4yWkQgty3^;+Lz-pXs8q*>MYz4sXhSL!KH-I%A-bp@&$90R!;^2`cJjIGojFS5Sg z!=`u@QTcBH#Xz2R_GQ1PBUhbQrXRQT_bUO86}hE)m008QdYnA+A|r`&mw z)>w{lllkiQG{1?Zf!WxV%q>e6;bWciV+b5TlCgE_=~ml@50iHV$Xf$uh)Hd~MFZ3& znB)pNWwGI~9&t8nK9n^VmcxLV9PdSr>ztkjq?+!lfpk{9nG$O^l#lbRrU&x@cU{%i zCc~_Um%nn#&WRLH08TsPNshk7!KFPA>@Hi|g^fJEP zgph06)-P!8baTL#K2m8gO|&Anx8->-?JT@ZjusSA=ZG8tPc@`2u?GIG)zKrc z)sj{n;yW%=PVi^bSruiIqOSuqGkSZ$jz54dq2;OcfPUyf%TB`~d`Xi)x03MoXd3A8x*ndPvO>Zw zvf|QklyYP6L$Sv9CfGR5hS3(=K}r+~gYRdv+~sVe znXm8Bay1gGlJaf@?Gq_^Gb1dd;O+gA!u5`by^H6aP!qP1*uS}JA`|xWvoHXlk|LaI zv+b*=U=a|}QF=7{gtyJyAxE1vJ>Bg<5OCP_Kvy@_aoa7mf(6O!9QHzls&pvrT)wr> ztM+K-cIzVKZ61qE+7I^Uo#v58SwDh3`YzluNCg|1btf$E5|m(8cAmLl_sm`nB<4#n ztgZDXd4!fc*_pDq1Av(x*IA(d1_hkP$k!Xpfb-r?y(dGXp?1ngk~a#@jiRhN#YW`9G)UPGr|l}%OH+R&bJj>`%6P$`@aV3o_FQ>j`#Tf+2y!Ra$on%Tr+dc%z55)J0ldS zyP<5SB~R7f1aR}u3b5OP*cd(`zhJQ#%D&T)OXr(SHZY#vVJU zilxHV=KOMX(^Xxb8-3ydihArpYr1Q$>BNTVf~FQ4Yu1`bZbmKRR{Sl z*NBP&xae8ZGi8`tyB}{cuD@A1`sFEZfHPkyQI?~$EcWIXCE*GyY5d9jU^~@{`2LRK zvV6u})6X?Z0@hCMXpRB6`pw51#Th?9ZkJ9G0q^YOf;IOsPs=H7dh>11;B!xIX)P;FBOBMM*XsrWOId(ak|&8p6-#p?N&5+<<+8P5Dn!zK+Mciog-^cDxv%bk)_?gCRG z*#=XjN1g{qvoeU9+|-7m!UWf*|v4fB8X=UNa@P>CwfxKDU5e-4jbcG?J)f zS+fq0@Hd^Z!sMbyAcDu&X~XVGg)Z0ZHItKE(#z7r-OLfV7cD*Nw2Z3FNgQ-Y9&uxiC!bKkY;uk7_Xv%41m z!UrKmR%IH?)>&>IQjN(SVK()bbDU3wQOpV*s@%=JAEqIyX~?A^mIQ%w?srSeZ&V@1xu^T<8leJ@0X{End<1JVeca54X zdbt`dQmO;ktg=N+Fty)?sn;!in*uyq>f>xYYNk@^GDY1KhqzlPp9g%;L-53I4+9qT zJ5K@K1g>>1dAWgA-S=k7b;?ZE&!^otkIF0lEy&n&Q`y-E>ukqM)B0?_bPQytEi2~u zURvP9z3>f(Ispj8P68H#OsRnr-;{8=8)^D{b*@dHSTN_b*VD7?O63*pZ_#Q3Xw+*S zbt8!>0bRfwBD0MW;K&=~x&WZq z36$YlR4<;%+8=k9ma!Y&{a6|9dsaZj%#P9~>^Ci1>D*_$VM1d<-Hsk)iCAk-Y%7QcV}j3*7k{WnkprmN#Mq z())e_`GaGs{U$uRG8Y-XABhA{@-pIgAN^|V-n1{6ICz`SaaQ6fY-IES={qif?oUGr z{m@$Dzp#hyKf-_VzvF+|iwZ;z5sCjR4iQp`lgj_6`~@lJzf7GmI#RIwf5JHvEXx7F z(LqG!0&yZW!+%oVe@V>%=xxlruLuKrB8D4&{|972&jFpW$T0}#MHJ0C$CtHJFWvzn zq{}0%Lf;b)Rs9amX8nDa{1+?`fY_Nb8NvK2RRhL3+Z;N>MkP!nop_J9|GjU2aegln z-n|7w{&&nazrr7cErwqEq0-w?kIcUQkeE{XPPXYfOt(5dId!q)7 zzPtDTTS5&&t}Dwu7Y!`SlM43pezX$LPM((dK(>ARfWz-YDcMAmQ`DYiD z+>dF>$|9mp{L<=i6!DVgs%$is<+Zx`L41PXV~DG0%n4iDTHE!w3EwzzLC5(hT*FC~ zXZU(t#Y^${0|!Y+$*5RmpAi3eSWvlIKKeny4{m}yOW4AB+-(q|HG13>WizsJjOr2l z5JH=qD(0`xlQlSyObq~*(h53ZVPRx{D}{2`T3Ps@{evAhG{0dWuk!jtD=nkQpEub1 zL$;J;&@r#REz{K<-I|$#siyvRd*Z()Dv~EvDk_OAV?AlW5szi;x;VTzW0a6pu6*~Q$Se_j4 z6*-KWcoZgQdTEF$pzp_3mxRg+58Ai4KRjbZuK8hc8I)>jx+!bq69%PCfBWUAKuhe3T1f$pP7oVLQcnO0+@W zDVwMrrGpFNy$`;=IR-x_T_sBxb67s}QquQHEahZUlTPvi+d%H2H?fU1#aFn}5kycH;Eqogh}n z<_?bXf|hJcO^$PW2XFSgG3 ztT+gL=jY<|6H`;ESb}2CE|fuK7#=A#Ko=M{p@Jsuo07q^((*{1hBPz`{q?S?58vE} z*p=_hlvVbg7TsdJsaC@9v{8a9Psdt2!*{<-N~WQbh)fli*?piEsDwe*e&Snc7B$x_ zuYY~msK%2S)>GpCzR_L5hr)78?UtjK^d;UY#q(tzYk~2(&6l=A12*V_?*6x~wjL-Vr(L;?s z;uV^+@!^Xrc+K|1(i8Dyu;#B`<0ZY?(@cu_a%=K`nK@8I8{4aLd44wsb+A`zc%TCO zYLf{0ke=m4#r*R6yMj&+t|L>CoJ}lu2Pzdy7X7JneSHM@YeEue{ATU0<^P~7qFR%+ z6O)rKjmM|EuEvzA(8@%4xtHSACRAeE&$5^;h=EW43l+h~Kt^#c=|Dpj z&u{9ryR=$M@X+9dAGhg~$~;o{^~qCZ4;M~(;hUHp9}-q~U;e_EiPm&S^Pl%<<}XHy zrwg_9Z&CIA?VAUDU5IWNj#mEr+9=4{ADG7SrjNI#Xg5m@3A_g~+uJ>lY+v4GE0`kT zd3NguasU07|1O0;K71veqP@LSlqNuT2#ccE88*|Bck=qDU;fU00G)JD*B*lSC2I_u z%}lSQas2HO{U5jbFdsOSy~wVirbK! zAAIVu6W9LiIf4`f$yS>8H_1>MUo=Gbr}DP*s_HSCFis(1a@3up@6?a|i?9DDa!TWP zb=c?}P9+-~+=!q(C-0IgdTq*9HfH zi|Y4~)8GCEc+;$#K3o6XVf|oaR}4vn^PPcjzjpp6Q+~&PwWL~*d3XZi_88066v}-* zSQ|Uo6nlxGdx?aDz`nG8z}J$j{Ww#Pst28feSh*87SN)B0ac@RiqI!S{Ro-31}x$*$~`z{%UCf}DTWzA1NvbLPR^Vxzw^4i<87M|1`!Zqm8OAlxK zJUxaFkNbN&;u=FTzfZrgVHmr4 z`cuL#oUx4(E9M-Z5jAf}*irv0RU1QVYq?BSv`8T zxh?e@AVe`3@(77mM?EKeFc>iNGouae@mRl7y+6emswSo%0b#}jwbb;S^IJaH-(1dM znwtYjD|PyEZ7l;o<8&a=(GiT|^MoE?|oD#L?nr$s#4nI9Qp3Az}>TGwDjblGHcF{MB1(vGf3!m186;F;} zY7*>Fsg0#$6HvT`HR|g#oB6hV9x=U0a%G3i8YaL`Yr#^}p(1>!$xspJX0f^OZg0Fz zU%x1~u=1NL=cA)z`cO&56Vd67Ej*a_Go&W|td)r(@gM~o$1=}3^ zS&;`_o*rZTX!ItXfyN-Nn~m}YVb_@3uDKy%y{2;uHy#?$v>@c@Gm}|}X3qD3Pw|~~ zR<=e~Q`Yrq{j})}rJtHy_J#Lu@mF6{A3aWqigjG4M}As9w5)skYDl>kz9!LGG*H{v zBU4IUMS4kx=VRqIb}p-Yd0@dNUXyauJO*x$k#?;TsOK3NFIO9V!?4Q;?IBDc8eM$& zN@oS^2gS{6($ce9=k1MMCQL(ic-4lI^S1BhE>w3_lv`Wm)^DR0%8#0)#2tmBODC91 ztC8q-Y~OX4^dQN3R61(mC1yuNr1$aDWfys^b2a@`*%iAtH{0Llmrmf^i-#4n@$y?!@=M@zK~a9N0ul7Ho9ioiIL&X2j1p^fjN{xXtL@ zeI9G`w}R@A+v$IlQw>z?%K@00~DUBQH z@!4jp=m$gHa6UpCVsvTCHax zYCuz~mjWfVSost=(c*QXv9V<4WMFz$kyLtkt7!>ern6>(dAz$6VB{(%6gU5F3hCr1 zPryNqY~{l67}qOsXTHJMVV_xJ2XKP{nFYNvlsO3e($>uGSw%kN4ea^OpLW|r+*FfW zzVMP~CdihvpN~-16>BlIRB%~4uc2%F=nU27()zKwnZZE$$Wxu(Q#Utu`aWRzS zh`x2X?jV}M4n;4zy;&obad%!wUwo+xT{HAssfLL2qcTZSqtgvZx5G?kyK$yp<hQ~NUR^Y4wFM5Wvkh+ zkuNDDnT3PFfFh^*-41@DLn2vI({!ZDf2rHlC!hkl^nfRKRc&d`F8j6iEw>AOyUjj> zmoYbEtaI+Jf&nd5oL0Qga5Wf!oM7`)ZiVCN^sT>UxHm2%M_zL0iDfywKj#ZC!(|1P zybs}W?Q3sm)VC=!^xi?#{8l>82(WYpQk(5m|M9n2n#pxAf)LE)-hB#Th#dNb zqRJlKKG6rpJs)~AWoAPLRHl0MA)F7w=W|5|Jq0hR*ft!J$86V3+W-#Sl}>#-i0j=P zM(A!EY<3Afnwk>t&mO5GRle3}cgH>iu9EY!*5+$_sRerol21JBz2$sH$^1seP#e5^ z=+jaB&X~D<*8ncht$t_rNkY}|bEeku@|By0RA^?`Pc--@>50Iit?3!P)y>-LIIM4^ z)8jO~rF!GwN63ntu!W2YqgbcbB{#Exy7fF6HWElG28?DygC%#X@}eOKS@e{7>=}*( z2fb8rg*mYE+2i0%5MKOzt~TxIO|98njEbU?`u3fJK@8`zxC>LBRJW9^2hfOEl<^Rq z^AtN>0li7lSRuUHpChjI0;8IQPge1G!vtT@W<3vQ`0{9+YXFTzszIygY)O5HDJFqY z)i%qi+m4V>eL}QfXAsvFQ#1BkV*9IWwDJVY2L|@og?c=|=f?xMvx>M*;<0pZ5spnVY)vu~D5(#j${Q8=T`y;{@uozV?hA*8 z6w9m+x)P*bscpW6ZV%JiuSca2Pds&vz$8wV;0E!d=+fhyEXK=vK2McKuyA9}!a}3s z>AHH8rwbX->a~uppciG&=5=MH4p*tICD!4yP=flm59T^H%LukgtLmv$T8}CL&YnPH z#*JK_?wlKpLbELn`WEavO(_^Jil03Il$2KTP{HWq4jV<6YJj}qNRRU(^U@+)NP)*e zzipd8xBv(d*N#LSH6)}w+vsVgOtZE`#+N^W+V*ca=!0Cly**r0y{BAGIAZzg8E!@1 z;s@K<V-HXl9>65$QW@F8SZn}$fK4k~kJ zUOz6n>*j=dty#F4;|tedGE2892*C|9^u5E>1!)`}+p;2bUs!eMvvIAO_n6mo(}|fu zvxo|~VCDj*d2E=%(>$#UKZlG?r6gEbxf=N;Id~!t$V(KJEy|PMK-_E3i+m8t73L(g z82XD~#MRJXQln6Ntgu$FTkR{u+maliyjT|Lj3!QiP<99Cci8A)w)^{$6(Fy z3#y+$L^#b?`p#5U?5;Tk3|*Z{R2#y+3-Dp6NW)(cdqr|F)j>{4NojkSvMcWcABb<9 zk5r2_*cL-;iswZ1u>;8;za$Vm)dT9dVr)xp8#sL3fccwTqJ$+u!xX60q5Y zc^?+T(mn)A;4*GqO?%GbeetGfVAM#j+GEqtCo008U(wTsrEUj0m8EB(mI(&nO%AUE zE6Qrl^=wN^%OT*oO;VYj7+@FxwAfcmYy-< zD_R`+z~W|rWtU%$F`qAff4|`bZ@=0-_QTq(trClBJy*|NH{}q-MuRecm0A*&bglT4^eEK!f~3&T!x^a`75P z#L0vabMj^lEm869kJp!Fl_eI7CwA#EJA>oAO`8I~aI0**I^#ybFm|P&XG`9GT{mT- zPf4lqZfTdy5_l&HT56?%Isj6jlcXSoKseVJ@&X$5B@9LV;Yj z0e_pIkl@kBD;iPQrZ6L`;x+I>>TKkCe%57;5{}k#IwMbhk=`OR&B)f3#LUY2gU|uU zNwIr`H)ZC{v*Ig#V#8Ho>Y`X|gwKwkE03to`5!aK|J57Gic)U?*P5#7u$k7UucGo- zuKVdnAk6D1ijfIvwJdj zang&ST+d_OI*YL$)>U^a0(aI2N`d2W*mWO-5W#*(mPR!!(hcim3+YL@~9F&`w2R z5(sC1Zat_k7>3{<7$hw=2Z`?FSIf_p_YKjWkuMmqO@VE^maj*nRzKwuLrir}eWr%3 zRk|8Fj|8G`UF=?7u)!Y0YAl-67D> zy0w9y_h5DDb$eXw79?DLMpVc^8{`jgqxDj;B zI*;_GXLB({60CP5eF$Z)<7XW87#}?S=QYybwLWkwvHqx$R?`=5*=5kJoXWyShY-zwpTmGxGET z?x_ZZ^>uHIi)w{15Tqn9VO$PLmg3q5n|P7n?RQfjuTusm5UdH1b9$MEt~-+(o4&>x zlRdV5nWGJY$~N}x;Iu_wI=57v?*)SV^iZQH=B1a9gKWSPjey|XAetueh5p=Su8RmS zg4GbB-1deR=VX8-55l{bB029QN<&MMGY;eK&FsDyuVb=QZLT-O-ne%EIg9Q&qxSh? z4@SY|09Li$*S~A5=l=7#kyUk-_zPf%kQh2FZ6ZD|CzPHXWScL+$2-JSDn@sFI5>opfZPfw+Xa8Izgv=z`KOtZC?eUmTs>I&F_48W-4kiX^?Mjg?QUT7H0n5=-&}(bVB`LiU*F3Q3JH=xGP%!` zt#8fnKUP(o>Dt{fk*Vpt8r?auyEJWO+Pw(zPT(qQEvq0FjSSt5G%snwQw;!NMViblLT~19MF5YyriV&YhZwNQMw(f+gJ# zXf9u$PB$5cLUnH+ z#XwjbdZ)~5I4i`6{!3wvHhClEa!{Yzc8`*Y~PkCS3!p~KV`C*4eCK*9O`Y5&E8O699+wG zxBdijIxQjSz4H*(zXE!ig16}2=0@t_YjsCG%LVe0h=ELQR1%k1>N#bL;`I_}wQt2) zqu#(eahZ)*pGR>%MI|UZ+`tj^5;};-E=5&=JS99*Asd{~ogf1qxH-i2l?3(Da(`-$ zny#Z6{UhBI@m?1yAPPa5>D?KVVzAl< zO0dfFJ304m=+~cCCt6CNzN^y{bzJkFJvOrn9Oq6f(q0)P+8 zeY_{LAdj06#dXU%@9PnOhPRV5+~HT(puY`H$2&>RXCmq$Wn#oc4HeSa!L7E)c374R zZb@p?Ix#1`n!A)@6}%r9r+qzU`P)Y#bQR`fxDDt9Hs zH4wa)>-@KK1>Kn&YWGs_uR7~?L^X3I&4MJyO)jE!!U#CkrJV&O>BF5R(JJIyv0E|J zrsZxEL4Y^tg0k4sn40!xbKL=S`!)88vo5y`92=dnE9-)LA~T?$X4k_r?d#aBT1 zQZQ$@zbMGO9wBIUX`+cyK6m%@sQC==hcG)cQYnL%KXW;8djkoVz zCd=J)M(bl^f<|zG1>0ilyU(fC+l$Zj zt3Eh3TOx5`_M;}%5n6U%wR&M&U(lwY4$N&6>0|V*n8RfU*Lv1De~N7;B=~mNrD|r6 z`GE_up~1H=WuulA0%UJlLNu>hq?0rQ4bfX==W9u=t+w(0a&8KxHhDg?Fh3~~l*gF9 zc4mqEo_a+jS&F4{DPvnJ2wf(ASa=AU*#`xJy7|u92u|D3NJc1#Jt%ceE$vmC5o^+N zY-$iMQ=8ThV!6L_rf|^H6r9o(+*UAz-5b`M?``y11UlvvvYk}P@u;=VK6OUpvvWo6(-7-p-k}(`5)}3tAjz7*5*_=@_U9MC{>I52hFj3PPJ6LR@ z3bfS7KpzkCq9gZ}ip6bO@S?=)7P;FiPZH+oDx|hs=+%Z1Yr>IGA^qaXPb(uwW4un$ z-o~r>#c5ciWMVf)Z`PcWXEq$voQgQtmqr!V>*Kn~j$FFQpuDoxOHPeg;f4=?J{frb zsMp=sw}udEXo;UKW|qgwc2T0*_a=eOx{qgpbRHHSNmF-gICM?4`=XKeW`vq!DO9~W zTtgg@m!$d$0pH={LoJ5F*7Ca)8aJB>`W~6v6e}~CINcX1)lJrHen!OhLJ`6D=%_zO ze4yQf^TBJKOf)mu6}HC*tSUqfK~h6BIN3Eno^{^!QzyL|$#R9&rQg1km>YwfXzjw(ez$pX^RX4x z9l(0I3Zo?YNUG9QyO_?u`szIMKxj&}8smoi? z`w+ieoN9S1jX5+DL`OjA $nQSE8`R`mtLuBRz;n!?ElMe-6)Txm?zspl-GR~iIW zuvwlv*`k=!Z1T*Qk@7ol!)RnI3=gs&zT<+iS)}p$*4^A*i2~&^>wr1|PS2drC;Mtb zyo<0jUL4uE&Eld>49-{GnpzF!P%FWk3)jfsMS$?!9%;}dW3CbFIPZpaRL2utJ##7L zrdpRP@z`aNk{~Xp3QliuaE|ShbYaM`n$AIi)Ze-oJMQ)&!&9~(lxsQZijoB=G+Z41 z*;$wY&3ln#D4J+BKe+EEW77w6NQ7uDeM;PE@YXaNGxg_PZFGwmFWkV!;`@;IZ!%M^ zT&wWj>7C2wEFC0vYsw31FMI_grOQZ8vfS;L#u_uXB;(ztm)-!*&^mNd1Wf^WjUy#! zO$>fHbg7=N^v>#ZM|w5C#i%jCUHpKuOGd$k{ebJ*2Co3z%S2}*K+M^?nJn6d`(RaOmb!8isNlGFDQ6S_7yG& z;p2rY)Vv3e>dHkqHGx-jNi{n5O5Ou)OSZMB`KPIVKE09^nO>-H@fbQ$sxFu0WT$D>l)N6*`?Iaw7DLh! z&mpr%J8w)JLA`2Y$az^j9Rv&SF?)MJNml5_@<)lVu-NXV$RKRgc%*1lg-3g^`{4{r z^%ssE3Cf2_l{e2VELF&)O8u(AKDId#&u2%-<|dW}zm`bcN)5>dhrnONy9_)GnTy0$ zKeFj*AZ}~QsX3qe>23<>zh9X-=CoO6rzV#FJKp(&iSi+jPjsyOL(kxZwW7qeg1omxA7| zXj8F@oeOdK{@PIh1(+c};qDdGGjqZnK0mtzn)|3_h&`wl4mDq>IDz zE;6}&;Y}Sfa zGJ|`s2){R;$+IYMIRPTjd{zc_Plh7>?@yzw(4H{@Pb`xEkzCt2q5 zvj^op<%97*e#P=61;~^+`EO3^>;U#jL(vH45q{%BIjw&Y`1$!a;v!wC{(wL5TQ4SV zyK95tA4!8ktG{5qKhrsxOd=7!PHfJCCACiR^XyA*IOYqr^hS7)rw~P86{A6~|8%qKim^tz||7Xh)#1;ECT~hr6xO$TL!eVRB zB{b}R93%YSjCJ7d5OJ3T@q2!(RCGlhG!WcZ6v{mYplW~%5JZiQS64T?iIaP|L0|W` zCeo7EKzAUd0Z`1d)Wz1Izl`2`x=#= zoCVMpB4{zW2Ef=VJu`@&oKtXLp1d-H_jmZ~BilL>$kS!+Gq9+9j{c5)#X^Zv02ll# z>B=C1#Cg>P{s{8_hbp~dMFAjfIaP|s`!t8lI^!+1f5eIZLk&z4Q9x@as>hRSK&3d* zvkHhR$X`%lKOP-WAE^E{=nv+6)0J~(_JuojV)u>iEqMkYwP!zr=%BFjFykLS&kr8Z zS63_X;biSIB9+8(7O5*0wVFp)6U-o;e*4lMnUgmW47-3Gk}{ClXcfVqzwIg0GK#U(S-uNek!-1arW)A~Calc7Ml_zCU22AT{@1 z0$Zchqw?^+&RY@@M4+%C4^8x8BZ-c@v&Z)(B0Ld8Eeg`p0WhTJ0eY(ZqJy*q_stHN z-R#k&d^y^e5n4KY-g#J8)8KNi6gN>JQBnB;`xHQyVZG8VhliZTF9;@8mrKrjv)Y!= z#cwQr4l&)tM*2&;_VJG=WE%&VGJ9=*d9<;TiTrJArYe~syUQfu#D1KCtm`Qv^pYkQ zcqj&xvUej;CsffGpW9q^);u2HcbSHK(|LV@75?csx4S@Tn_? zfkA$IdMuSW7tB;u**iZE$3fQ`9PK;Z;Bs3Th)4q|Ff)z4m9RGR`gvr?CMbuEetfU| zf?4`uKv?h&RtT*s^Yv$Y=X=(FkCqxN8;}J>gB%G2G`L9mQKOR*P7eYZ2o~0Pzg2eI z_wl|nZ;oGD=-Q>GGg`)PER>p>j-EJL-6XmFVZg$BJ^@mlYHk>=?YCKdFkhWfUtOJg zDxuZkiYqLdsCcN{g&M$tkCTnjhG zr@7(EYhnA!@a9N~U13fD{|B9R-_7dgI?$!v-En91Sr+HVpms)*M!kDXa#*~!Q;UW| z)001-T1OI_MdynbUT+L6WQQzd6uKPmaqBBMY4O!%d5UgK(~wUL-{nR%-U}U|5yiNu zFuHXgL^^3LVS`JVUto*{FLiFMPa{?4_;{Q0_XQaRosK^+zt1R*I4ah4#TQ${HFM|* zQ@>7jq-z7Z$kJ+q3jAQV*oZcVPimzi=f|8mt(a=ca?pA9?(Hp_eQ7mXev~D^m>K26 zQ`!(}-)b>|4uF)MPKgt{0I+iW!5Na`TkCVw94xLkR_6!OGx_rN6$eU!0Ad<3yh0Ar zfq?jkLlE_t4w{YPv1O}~VR-^`j7`Z^>%uk4WS2*S-h+PHRhW3#rGjqj(TxZFMX(*H zUA4&$oqvaxA-|TPn;(y=phv(;g3l6Gj6Ho>01PIX`9^P!R4fDojDrDBu+-|450dk% zu$4^Lks;$*YVPAY1=VhUBkTHyMlx`h2w&eD7O2>rKMjilF9hp%z)LUH#4J={5ZNLo>64v z*X62|Y3|gKx==+PJ=>VxI;^%K3#5EiK?`BFw9({lh3*Fp!sd#_>>`&{;|qr^j_?%T zVRUaPSC^Ew^8uo-sWncZ-`Q$p;s})DaR+Z0nqS&y)gYkK{ESgFgXzW)SYDJ=F@L=0 zRxxa%V&P_5`EpH+-Gt+AnNnv6Q^CNy>nntD{e>GlOXg!8Cd$(GH<*95NPiFdA!0eZ zW4GSMuu)2~((2vYg$=z$k79iQcn6XX%P4IsG|l3@*+&Q}8C7on z%w?V+A>fXi7p~?vP97d>gS-Gkr{e2OB~}^5HI_E<%Xq7rDkfKHDt+q$`&|_fy{dgM zO!_h|!+x|cO4ul0_LyhecEBxma#9X%P(CBv3%9Eh(MoovEcWS#+VqQHFX2LVNl<@{;^GdD=2h4 zuGDUQFjL;GTtE8_LDyqfnjlTkCp2l>x~^jgtvV?#EUxQIDmMLy83FHROlw(7rwXn) zV`-ajC%!PgSvQJj&%tYkYu^48i`npd*dy!gEVgOm{7Jh;4UIUy6LZCeT+E&_Lb z#+k6Qgh}Yc-N3E~dU}V)n?@vbxqIF8_TJ*bRp2Yuq_vCZc2_XXb@;byTdOiqJzUp7 z0Vr59ysQRkX9ge$v9NmATsGvogyTpEDqHX7+_lTJ%Xh97>fY|JxC>c|0I zoAe2UaioQ`M#_X>tRgts)3dj9Dvr^w>23k6Z)G6WB4f;{w5^M>L+Lb^%WfzW1g)E9 zS%@u;lITkL9=fng=Ekbgptq842wytQ+Tulu8eNcaoKrZ~kVX=3nmgT4!bdW2y;5>_ zp1(OOv@(Ndh>4IPRhktfivzzs!@M%fb*!O|WY^dXZ7xdrt&`>k$#no#9nt>NuKhc* z)&)~XkefKs=xcMUxsYJ<+ye?89lFs1>DNOf&O>pN#=BDEbD}B%-rjDjx0eP1#;$4@ z8p00O$*V30vkB;7Hsu%gqtGDJU}k1x{ReM1W_VrE&L@2Q)he-5<_RH!xd$3t^a-pi z<^d;@9X~6MO_4f*F0!CzrQ%pr-NNT%R3CnMGNE&Z%K7S($~$KkPrD^A;~$fdrm+sO zJN$Vy*yqoy;#!Aq7=orw8xTf<#j4Dk1HN2<+0U5$*1+CXDfGj0Wt5j>6BYKJ`@Gd& z=m*}37)KY(v`(V7SNwdc?V5_NJWMDvKMsAIu(2heINlX|jfYZt8CNu0H?usKtHMMN zxDa2CkB=9X4`<(P&@0^e`tWP6d5EV^T1zNben$DUg09#@_+*FGI%+3+#x79bwnB7) z5Ze~)9~~Wy0w}=%z8zDk?MaL&+NSV@lBh1!t{k^3znsSBaePpwld0&T5z{42e|pr4 z2=X^~g0@6H7qsj~7WsQ+GO9PXNsKNuUxcwJK9TJpl|rZ8Ol1R9m!VJKwSvb6(WhBe zg%3hrr~h%)b^Fh&&B(O7(=QJAMzI20xFd^u4d~r8frX?wOb6~=6&Imy@w#}BMDxrd zflIPU_Ya1I^G}zJ9%3sM!F)lON(C!rdQt#DDyr~o<@=3BXcMRbRIp-~Dd$QZPKNUR z_ME@@2#O-Rwom<|S);I4bC)qlKsOqr=&%z+oF%eBEdU*3M-aVq=gpf17Vn`!H1Y+`vQWS2||&zT0B^`&Gp;%Yf;S1HRdM;Hk6q`T^07 zs?EV>Bo4+Y|9xltu?N%-qi)2fZp*}iJwOKYH~4*LfUBbke_jpNJb0Im zl&nGM;KGLaA3I}kN&A=@U{(TGn~_mB7oLJ`82W^u-D6)17)gj2Zc|VVyEj;$VK9sk zZmaSS8+l3zed$N1$LhX1`PJREd;lQK2(vx86B_HHXyV!HFx?xd`?_^$h=_`H#~ZE& z0B$dR{fnqNgJQb+?t~KLHNjkf1JHN+lcH|S-w3;Z88km{0UchqR=yycNPP_E-|v6v zvnpWKd0(Y7x z1@5*4xFGF>tD_vUm5L8=Ab&J81pX;Y=4p+}6L7P6qD%hsGc9F6zzc&b3)9CM$Vmp5 zn#pq~&yhLV0a5PJuU2NT4iPk6JZW<)|0>0ofgTTIZf?R9yMuYc`B666L}{>t``VDe zRI^xz#5>PC{BjoX)vAE|t~(t& zIp6tR)BTm~*uJqU}6FCX`Vd)EYVN7T}bM};2nEqQXfc-|!9fG^|02_0pvOYE|Ve2F)*N_E&} zS>TxjkfteZ!slq`f9}5$|1HL@q4=tl)@I9Kx!4a1L zZ9(nn#f%(icJmoQcOd@UIH}XNqX59Z-#XQ@lycDw z&?%0S#+rV+M7(cm^_NYoyK`A=JoDx!MW|^_gu+;0?48?BWDRBg4P225Ph^9iIP!3C zhXD^xr+T5wFyl1qE4IWNO<(GgNXgm{J8e7D0TAODnHbt3M}YGn3F1j`g%A>$f8>*3 zC^w`He2-iVtw0TCrXL)GY4s#@jcm-CtbD5PaGIuo?7Td$&Gq{FF9MfM zAjwsdCS>BrKyYtOun05cttYato}3oH%<~@n*qN3kZC#$ztW+0=7%9l>Kai5qkVx$Q zQblr*9>jkAe00av5!*td zF!pwopYb4x2Wfb%#}jL6)+?wdj@BD5j^BDx$$XG~nVA(3QyzyT-e8uwaOgDaM|oLv z#nD=kgCw6R#L&+|YM+pj2>}V8VALliyFoU&!Db==!qf?%qeE!mmrs$zYp$d7#Ke7; zJ_SHftJLELso&%l4({Dr1qvLx;88PBcfgW46L0V-Wl*uc0-9~AtIs1P3kQ$$-kkaQA>njf8vp$TWGvYHYUmO9l4WtLM6?6~)B}!)? z+W}&$TO52mHscPE?RN@3E&ffxElb}NJj7VPr{M3_AhG*xp+L63FO+ycBS^(!PONeQ zY#5QiKdQj)a8o%MnCD-+qEbBa+pf6$`rEEhy)d!2E2hB%mIP>$kU9XP6xWRkKj5n- zi#Cq_f5g3cSX1Y^KCFmU>i~}EcEGVXVXRh>DumWrS_iOd#fik$s;v_WC}XmuR#CB1 z>i`N8tpjzasZvD7pcYY4gQ6lLgh2#E5{5wLtnYr46-0Zk^E>YE>~;Rwm+ZCKBBg`y6qa!JL(%;OzhE^k%v0k?(DH~?~JUK zi>$0S;E~T(_5LieH!g%_y&kqdaFe+ZBlr24F2rX1;kTB4)Uk37v)AQPX0PvEWcC_|rZRDg zYw9AgmseiiiR-oAgIq#$DJQRPjyQ=Q54zr+oWxyeZ=J+f-RBNfv<0Lmvkr%=bl8N! zj-#XZC)7`RVnHOhlb^8hTbLa=t;fG)^CT(2TeX#8ivZJ#j_TRPRT@aL>;*YPw zhR$8|Iabql?ohkoeLC89?74C8_V%mL`F|fr>XUE7+JueA4~v%HAitDb|JE;U!8e#X zzzCk@xo+9^eUI$xWcvhGv38>xuF$QmbhK`Ip|Esi;u4Q|_YQ@rYS^F`RXDZoo;O3S zJN|`>={PXNy5n$|mmc#b3~OuUh!2~UJ*cf!C%olP2kyW&;HbzRTy)>+_9HCSkP#Dm z3?A=rtX#DJqQ_RZ-FV3nqx{IDk^wQyqtyouU#{l`24(Od%v$%rr>`G&^n=mcu%lQ+ zueoEf6eCIoMC{J_6JZ;^L+@U*aKk%|+;^gE!q~P}y|JV1v*7K&!e#pXN|#w%GrP7O zNO!fRV3zRFkr8(?tvf!$vKFjY=i#}Fxd zOl~&1XKuap)*=VD!85S(zaDVzWE+h;ao7APGvT)JWS{KSF`TsX3-hY)m)Ckjxj52U z3%`25=LGvV4)DE;mIJ)&8FPSpIGYY|ZjaphB>z`1>Vr!L%=+Ti9t6Iy_?6!QEcVOL zW96P--bUbbr_+?|7v@Lg;?Bc|E=$v2%PDOh$73ykz~V-6_<_z(inHKyqEGP8d^X5s zNMrZGxjp6%ed`@s-RF_}dNTKUAjRBgW;rrr;p9ASAmttf|8U^soiDfIk>5Jz5w4O$ z;*_8*7kNC#_O*1kI@@03|Qi}YnuPG z9mCv~M{eyAWb?~`J?uCIr9n@Oa|B zzOawON3I~z7wqGk(boce)Yp9?tUFr6K5n}<0Wrqc__J>Xazo(p%mLZ4a+}U~u8^qh z-bE&A!~IF;cm-4GMy(gk6@ekFBu?m;fr}` zbqyriM{KxaukcilAmvYY;KpXTwU`6OpS8M5$3F8gnS;OJSl@Duez-2q{c5Z`p2VKd z|8)X9j~^D9c|=0*hh@(TvVt3TMOD{|Sq%5}zUfPN>oe+n|4b)wFkA1cex*TX^DM2- z_ey$%9Z&nAyJX(3X~CbqK&tvWeX`i~R=YiSsDmkeT7m_A%SAZD&&TfBY-K$U>p$wt z!w4Lmaj%$12v9xOAhp37-^fuatLoV_#I<(3$v$bbJ^797C35<21?g!=cobP-7I*eJ zPE-od!!r_=f~Bk@bj!t{(uy@7H^D|^{emcB$S3`<`Dc-L-2N7^!(ikc=16%o@{UW3 zhPw^^0(nQTLti29c)v=0Zfu`UwjGgowBNpR0STT5QcUnXkYa-8jeC2WBW#j&{F!wt zA)=|t*ZJt6f$J0vRi)dEsmZ?IBP-3V@4L56m~l4dB!8aJgry~8!HJc&BC4O-boemJ-`=<~7s4edewZ?> z1SW=n^=GHp62%W(>=EzDo+~d7g?CG9xHe1j%^gI7(Z6>=0zL!9jZZFqw$<$b@|Mx# zuD_9f9Q$l9lYaQ?ne<~y_HU;2!wKu?Aa=g-%#NAo77nB z3*fpVnqCGsZjTy$)^QNf{UgirH6pMUOLb@hD&ppk=It0XaF!u#MP4vZ}A_(pJIIf>03NA9x( zCnFln!HEk_=UWH+7@`Lsb990vvitraD0U$s{MVGrNabzGZ8@EF3zPchAmt)D{E8qI1srUv1yHThfjYP20 z?JNo|a5mwf}A$k33Q@=x`K(bfzW`P8Cj=eNf=g6(kp0R2RaWTxoX!i*uF3q{~H`W!U!7VO&R3qZZx*jG$!o}jW`Ux&B!D;C^C&F#CiWj$!BgCAZye=0tJQ2CQQ<%#WRx zx`-n_lvl%=uW2%(2*95c?+zoumf1%tb0I3PdjECyOO@q~5lz8}xaY&md37N+vB!ZA zNyIgB-&+yaS=hwU5i_i;e}ql^6*WDl+F1p zhWNr{o}+lOxt7IVzPKs0ITYE<240}^Gd62zNM~M`hgqyaGx3 zc)U4cE?Hp~ch(mt3KhI~R{KUzQ1F;^REu2W+ndNWemS-WnL?{Zs^3_qk=jzqJN8*O zQzLZ&nhH!QZ%X!$rc&N^m`EmI-pgeI<|*0lo1e%rvhM zE`EptKOY=us5}4UjHZ#f-_|M?^&88?qAdaI$bAV+z}nKKW`60UFSCJ0+&07ZuvY@4rYC#sX>S51(Zs}oX^WOp~pw`0V9aU<} zUi+PAk`o-7AjiGZagS>rJwknMBkOIkvhR>xtVOV5*ChqPim5y_5&=p3UG1%`ub~t5 zO<2FEHesKlH1NwJbWLZYhSVo|6WZWN`rrDcfv81x3+JLIi`=}!j#ZHT+Je8pv|C9X zKld^U9e*4`ABxpz1rP*84d>QkNBiHvj_%!c``8OKO|1EvU>X<`@#(x_ESh~7rTm;~<*omN@+8oG!Rd&&&){{( z?0`+|*6DUMY~t(YsU_lSg@T*;+=7D3<})ZbOYru(YFVYe&XhL&&NGo3EMnMtSbj%7 zARx=xMiXjD)j97(Hmeo1?A1V@mAMyg&gVeHE z#9X+V@CZ)$+zl+&(4Hcld0i4_v5%|U9(A`rCoeCby*3d5VtkJHbiRnJFpE3uj1z?l zULLExqIJB$*gtP4W@b8Qp%e!88m$0!fT-b7B6hUv3hZe1XDjDgS+{DQS}GZ>(B&h1E$H%cu^C-%DT-V{ zms-NqHvILQ_VokMp+DY}DS?nZy=lVLJtFJM(l7v;LFb(aDv03QSVoaN#ck09CqBbJ zB;;l>U&KrcW@!>}X>p#g*sLMW)*dyk;>{!G}fw(!y@&i^XlIU>jKNfYM#g zxeBG0HD8lX16SgeSG|u#vk#+GQ{k@#G?Z=BewkYTZF(_asSokGy{E$_hFhH~B4%EO9UBS+p@3AKSw`ps zaRG!0OhX*2In)w@L-28}pO9{tWQKz^%-E%$no<6(_F|3b_ip-GuFdQ73aMM-v+~7Y z#mYPf*p}p_wO(i4G4xOPFq?(BP1YUL)&PEZ&LdOexiz!Hm}8$Am$&!EkC<_uUhj2u zD1{8m<@+%2DxT}MOaFeoArF%_yD_n~ zuy4^%_|TEZJ`-+N8-Kuu0$&$8X3vICw`Pv%MZV!qg$UDK3sE{wx>of8US}u@y<>h< zNqY?5xE3kJ(i8p|S?BG;AM1Tpw;J7wNo0^_l%1)#P*Z{K&+Bq4FRp-}blz;~aoFkH)d@pDvl^;&c5=|N}CJI%l1Gyjc=w|^$T)nI*i zm!TQ#^1I`;H@)4Zwc|~Amzha?=(`Uwz6B>vuj}znxE1@|Z%twR+cU5@$L}~&sGl49 z?$EkTzQ(fcWULwe8Jwnf$$&F$vi=PqA&Lv3nrj4*uDuEBZB9vpotv z`)^cjFm@YUI^vxsM7h2Gjr5Srm>u%M4Fwn!Yx+)uu(+ZB#suR(vS8)4S?@IOD;&xD zUuxF|macq9fC295|4&@89nS)aXh9MCjb%U)El}f;`z-Z%``!O5!?3}nE8l4@2#5Eb z=aEokZ3sf4jB?1V1_Dw(##L(C=pV!)Dkfw$fTL4zYz^R8qiDypZ46g7`c7~ocDc2>e1P>q-- zb0@Ku7ho!me_kBrg%J?KgMnxV6XvYs@KfIE>avr>r@jF{<^^_o7n}=x(OXj+|Mr|L zC#}mnjvWd|X1qnI^N!?BaQ9|Z>T4<|&;l{^J}rDtGoM>%l)}sY4d5Y4LK&f^(Ofhk zSxCRq!6)MTv49kxz=MV`{hg*r?RUR3pHxISnMunTgBuF)DAx3yhGmf$y!(`6A%U3i zya9gpea>S3{$I9t)9NO?Bfp3Gxcc4cd0OL;VHhkR3JdBO^?L?H(E?3AaMM!1x5?`K z=2Y#!H!%Ajh${XONxa4KWXJpVw+SN&fl~|am?3a#J&fJMnHk1L#o*t7v~ME8qPGsA z@i+HKFwXF(wHSc^j_?ij5e5OkKtldUXb&>$Z7SCix}g@bu#)Xj??`V4^J|&LwhY() zzo}vXg$9w9BM=#_X2e*E)<_d4jR3?zEP{p=2tL^PVD&%yysUiiKLE+>eCpeiv+RT~ zZ&N&R(!P5a#0?UFcV?#40qiZ9baW6ina08=f(w(7)PO({4Z+v=47Q>d!bk@|=QM`Z zgoQRlA#v_#1Q5P3Hm~e|)$nDbhX)kbKak1n)rH;|p=ISb|Ff5Sij}&BxjvMP4#jI$ z0X9Au7_wGHWrj0?mCyzhB!t{id&G=PVIdcAG@jt-ZZtInI}41f1r03&@T}Y;k!~dw zC?GQwjjlCO>n#X$c61&z^(-98)r&kQufG``_xz44RA?qWI5u z;NOHS!yx~s`@>5HyfItLN{0=Al{ZPC5H7NSlOA#jkg0R zsWL!V<&u{zyyNaEsoU?mNt-CroQoG3^JEL2m3!*Xa3>lr`WPQqy9=Ky=FoQ>LiNg} zt~#gL_D%bIiZqH0!_*AF6!mo~RQr%`4Ad(5no(0jlIp|lcpIkQcj;&w_%$$mULzE; z5pE@y2?lCJwJR`CqY0$zSCs-7sHOOY!e9OEfq^=>)qb~RbPx^7tRyfYr#gPA8sb*+ zHKxw^+fyj;-W6ixSa$k!NcX{Yqw&YYpB70#)4KkBjLD0M69(=##W)I;u8nKSQUAsxW2t)v$oELK0N2XJsqxyDQ@D^s=QSCg>1CE zeiK)9Raq!9hUYDHeRbF8SviNw=N~o3(DItocJyOuNFjHUK_=4)@*=339FgE^fBJ5u zo}zrT*JSngs^blR*&NO&lc;}7pP06(v_l;ieeSl)HJ+f&^8i`Yvf=MRqoW-lX@afG zjeg)#?FqUvyIo-&ZPjfsnrA;anubzEsWmV!SH9@-8DMWCO9trLT-8^C7=FaDa{JNU zu0tUL$Zv(4U#GTK)4?>hWB2v(P>Se?r3h~a*2X8jauk6h6p?_SR$5r3Ak1;;- zbcq&T7wh&^&+!S)Q|418KC|iae4(LvmZPM>Yk-HOUZ%Nox=KN7eWHyIlMKn#!(7X* zCvk3uD%}Oom2oO#QS~fInQAsgE9h<2^SKrK<4?%cYh_om^Myt9WJ3X$wu`5g5mceF zYlQQEPW;cmBV_l-fvj?(9qHLiVseWAVR0YkL&T{`iK-T8><|VbEzEVGANu} z#=vxv<4YmHdGVkbb4@gWBmWuLBNi zA#_%qQ`{7CI#R#b=V(UREXnt)pZd^yCDR0V^NnF;Ib){M_g_TX@waL8`O?e$otg&; zGFQQ?>`-NY`j$*{Ts2!UB_v-t#J*ujo|nOEbzTftIXx*vq4nk`7|!P8>y!Adj(sAk zZ3Ney=1{Lv*Hx-mIVN~@FR@aw12;ng9uNFfqdQkoHY_(<-vjNy%kl0u&- zFK`TH)pvb_^sEV4Kl^-h6)Ur~st;_-1RRYqCsa1zC!7Tk>Czwl`@^;z-r7TR@V+h_ z?>GX#;P^>OSD-m(qxi({mrh}5VkuZMi+Y?av>jYG6RZc~pNhCMw`Mvbity>4_XjN5 z2>daxYjS&7vOdHNXD^G544&#d1FVXw4)+twOggFCuEOuqmE;sjQ*@ zpw`Q|M>FbUGFGPOhrw3fk*fcymZ|f(f2bAYaZmz%H^$&8dqtnEHL5}tsyX~*&F!2B zjzs?|(s;8vD{8s0xKJop?&YY{s$b2b@|D}D8Xr$FosGpUyDs8CQ%tsF|MqMOy$m$- zi|vu7!CUy?S13WohT=lDsduqLwy1qOie0;vjQ}{k9h%8X1kV?vY=tHPB@TO_5ae^xQ`*Jce8pw~IYPLw{?0K3h711ZlxIy&|cf6>(^aK~}NzYheVWsiVx3q&@vB62W zF}S&cKPkQG5Bm?(8w>0_V6|g}zBTuZd`{Z4et-1GSF?ft3~_7rv>m)L9w&5a#b$UE zIrLdVZEhMn;l~B|F+Obr#F1P&qH6ClSm%HxnU5to+K}Rmbr_2Yq7}=N9NbFowKr1D z^7n2&SpP?7U25s=@K1+_M*e#2;E_f9uI|2nVB*iczH0a5f__7OS>T&;?%34c^S!+#Vw)5u=?)zhf`)}4ga^`)L^2evcM_G*+^4pgkyASU^^y1u4I?fzA^jWce zLApZuO-g=n{)_V=a+exzW9rwp4yQj((@ksCsixV9RNksd<&?Om&JOpG*C#i-I43g$ zux?e#){ujSzYE)Oyred1(+UJR=X^^lycH>N87d!RrqYJeJDiS566+0A-HKE$9d9_~ z8Rx1>;QB38dKwOModhbGImx+p7Wf|=_ z^a~E{b(*726g|^>J=3pTYp9G8R&_|a?2zBM*05ErsaM4}HEz=Jo1G+;?S%Jrc9KWZ zNRg;4yli`W+E6Z`cm7{-aWh31H(!iI+>>nBccszOFpExUY`00V%~-!i75PA;hBFr45vm*;7s1dsmWiQ~nZ+wplFge4uG(T=H7nSYblX&>Vl z`ns}!ejM*9s{euhygtO(kR;S8e~yw(FkF^tV@^x8wUWdqlEvx-%D6^**@wPRJ&|j0 zQWzzT9Nn|erK=oNeD^=Mtk$InvQ_qZJA7Z=Q*1 zg_8`^=_`iCzZ>S$x!g5eyQH<+aN{Oj!dzXvvA(%EQqX~?H#Dh|npMqP?#g6IDuv>l zT%xF)OFxiopgvzihd!c>>c+_X5+B_|!?X?gYq_aTYgH6&kW~g76h`Ua5h8Pf3Tqdi>f_n!?(ig219`mz`*0g8Dbrrj#x$Kw#BEGa9NA#BbKkIGhahumu|%`wr~aP80E3*~ zQ_a;%4WeCkT%E45SfleR%x)eSSV|YyOAP(;X{E%p69&Ut+MqjA>9bsvT7Qdtg(_}h zhF|Ing;aH5;DpXpku&OkL(QuOMwEU8h~SV`*|Unp+hrCqj6ESDJg#ZBbI z+0hx#=tK#ZORFj~?%rLEcTiE(22t{rqxJc|$=;2PHI=I7)yJDXDN2U_g@32?>t=ep z@U=5D?c+%~-32Wj#>Tf03O2MDlX2F{fIW)M0K$$@9eOe0r@YkP1<0;)O5i7@^9J zj!)&&_r+JDUDexM>wcE0q{8OP)3o}Pjog*eL>Y|L*Ii$ULRKhV*l|^UiX%cag5cE35C9`mrMPYKZz9 zSy+@*e^4||=?Uff*LobLC00@TG zmDy^d*4d=1ZSczvtT*sBQ+^wL@W=k*Mg@1W4cu(~Vo)z?v$Y;lYhT#qW$&GABr@7c>(m#io?dEQsbTK`BaXB;{cFt-w`1;^w#m%1l27XQJ(vr*Ru?PnqR1m_JKFZ0k-3LDF#I8yt;JjW zQR3Jd^32V?|A3{C+WDjouJ`s98&*X|X}WS^?yk}{h_yZQY>c@! ziobD|xZi76+UxG;+0aFjq^W=UCa9AOua6Wp>&M@wwGx3$nQeUT^h&6(i`DB2lQQ&2 zio}#MTNtXn#MMtqb-Mg)z#h#Ne)GjVnXUu3`9>wj=ptDg{HLMVj&77tGMm}7#$K0F z?G>ueo+F_H=zBk0T$EPtO_j`&_-b=)48LIM8hv7osXn@U)gt|VQCytx)(`aqIYPcv zJTS2OD?elzCpz{W8u{x_A49UScW!oY#WG~IBdvDaJTd%uH!JJl_FeXcFwX|{vS(J{ zSY*@fWDxFmx4xrx|KgLbIIa#>tMrOpacfaU_ykKer2Qm>NO2vncom3~rX*i^dj7Ic zp!3wwG~J;nO=iwr`??poIehI4TBvQ7Xp2&}jY#shZ@h2sEV#GYaJiaqm?Y6|`9XV2 zq|eTa3a$29CsSUEGw$aGP8K|L7yjKpgqC_5PgJkPnegN`s3_&niBxG6H#(!P^Il}d zJ8h^HwJ+=x!TC-8T3v>JN(Rq^s;X8Tb=8aLQvuCB-IDd&eY7u%j>p6#Wrf~TsP{M( zxACiV$_Td~5Ex|B)*At7;ppW%^_LrTQP7y|)3IuWPut(bgWXEj_a6V5aH+lb|?~klVk`m+qfix*r)VD{AFMIrTeITdSCob|qbH!B7zey6e{B$PbArYTr^ky7`} zyL&YzdC7|lhV2)o)-`lK*r3C4{wmWp=MuRd%KG!3ejqpwL-i~ZhUCX z>(h3kF>1t@R5vT}1+4YCm~^glSQPGS$l_m>m4oYEzK=sFGL)&y)+F$FKC-%o?^KTB z2mN{4f(c^(k`WV~zQzV`XgmEoZYSu(bgo)a-RZ2T4f*fw$bauUG~VHNp_TQtk@D40 zfA()H80+#$Q_sLeyf@!sNLT4O({~%YSo79nUoAElhJxD7c&TI;ATo4)I+zg|VVL2Y zXA-`eZV}v4Lip+-QEr22VrEsQL(I+mXqyGNTLoFJGmzGB#!E9IHqlVAJY`a`R9bXx z$O}Jg&djM;6;ihHV;9^yHa}S2l~dT0lUKdAn|aVI6Z24KiT>g8ofh>>R}g;8B*F`Q zE$W%ecY>hM^eC`p&`bc0&4Z95ct6@A^)?>TfU^>b45Zc~v!F7`Eby0YSeR2&-E?AG zQBvS_lVIM*1fl(s=-MpbX^|3hgh=T`1*CI`|d?$!CO^@)N48gYmthc9#+(WcQqHsKfsAeYmZfWea^k?S}@HNVjboVE$WU>pEog-IIb@HMu@ZhVW1E^{~@ z!WJ@vDdVAuu7OZFqdHwm+|1I&14n#^@6k^F8CkJEZ!Uc$kxjUQh?# zj=k=ih}z@$7Hv2s)E?)V`AP;#Ovd_9;WLz5&;8)6s-cU?I^-)i&bYx3Wq>5^fu89#S%08 z`T`77R-jDoj#$21xD6o;iUzUmX%O4W5t9T=2_-tBnJ^5wTd=3%sJw#G{jA!+r-K56 zE-w~)!P*mWa^|er3*ILT$*@KYX{{?5lD~yDLZrzEiNYE&k6?}7JaQX7@uq`zMiSYc zXh^V}h6IbeQ`HKUTPR^oCT|MLAiJoTrrU7g&|<=UVcbMti)?5vBv{OrbBIMYbUGmB z3y7pJqBKTSma!WpBx+!;Km1G1>@1vKgu?P*HFSvL$mu=2URLLuTo4y{*u%zNkzty( zk`WD-0c27x(acCK|C_EGm8D zp^ayLG_7RDgD#PIEb{AB;35In=l#3ULIBuZ!&aLY#eI&?Qy_wX)~c6{~{MV|iTP5|d^e z3$89zR(B~S?p`;z9!Rmk_3VjVK$O*Ads0i(_uBns+CpTB1cG+3iwuc|7E<%0O-|n; z8@>Dn#Ia3IUultzh8ZTZ(G<+np}d0oSN{)Um%W^EPB925=KGk$Sn$HX96Lb72k^pg zg<;4m8Ie4^usJg8jTdHAL$#37n@N1bc#CQ%tVN$_UqXYfw5W#Sg*#lHT6c+8oCbn1 z`BH>1MBkS^Qvv^euNzEcR+wq1%fAG3`VWbICtml>=(?5J!t0s>?%W=DU51!NyXe!I zYfK`cdo04Ys~|3U#w0E&un6DceIa~HHdrNY41uCCKIGU4I0c3zg-OGpuG`NdYIz63q4P|_p<0WmgPhb zd>*9B{SZd^O?Zr|W%uz=aGrV8BMZ&C_k@;`1$%BEZ!kfq668vG8aJ=TS5Xk@$Ln~Jiys9im**Oa!{#9@Vl0+XMe_d;+wAoxGH zu6;8yezb4_yt&3?G=5b=Mx2L@%@&zyI>yJZBG;-Lne8njlA_CZrZF?SmRz+NiI?SA z?|=q6$zPj02DWfkSu&Q7aFQ4~NTl&Qzuaft@gu|*%&CUYi~M2JCBgL^l6bY>MiMWk ze$;m;!|Ia@P0{%#P0=B~OaeRo`Jb5wka!Kjax+Z1+C`=`w`4DT?7(jJM63mcr!I4D zA@M>rTE0;YHPT}w@j6~xjQ!=Hm+Qc;J#?vSSeL*P!}7CLAaNv-V$DI+^gx4)EZP#@ zT54LyB3Ck{oR-4Z4iI9WAqp<2&@*Gxj19^3#z|&O0pjAQ!@G&az)5bZ+tns)8ac@m z3o}Y9d=p&iCmbE*S}ZW>ic0PtoZfi~nYP_Mj7TRBX<(*kExBsz)76*ADId|i9Q?Dl+ZI__Cc8CT6pIm8 z;83xdOz)MFvYQyEIh)lFCe;g#zAFbY1&gmsDt<0pQ@4f1Xff+nUd~-iu6w9r&?X?xGzA3eKR6-O8(4vei~CkRiV28$J%Vhv7=Jl$A#8i5$1wxYZJCVVA|C07xUVm=fFYlZLSl9ne)p|xwN+1I zh_5+;C4EvxsX%%0*q;YbcpicmX66j`Kv56%PDoH&lnU^|HtPaPR;H%~T_;s2w%a=k z;p<}u!bGx~TefNjv)Q{dm4tM=qpFXJgZ_iz&D$YO)}vMFX~l3zEY~ddN=2l7hw>(B zLvZ%l0}L}efPU@^!5c+XOSbBWrV~>q=(4Y;DS>rtYh$4qvJ^pIAdIT~?tIU|zYK-% z{q?}doou7g4S8XHL?ZKfxI9rYwY#FKm38&3esHQ&+B(m)+3{j$7H!ogOc(lzzJ6Z+B(NRbaLQr9|^v?Eh$4zJtRKBO1eQJj? zl;1WH1fct6U{jJ8iwQzY$=bRC7n5^$mB8ibph2(L@2Hi1r`r)lk}YVtz%E!y>n+MH zk=xs!US?(eJ`NF+wC(`ckGWmDt&Gu7QbO?sscq&!9HOZMTx|#2jzrm@?~z}TYz;%Q zRazI;Cd`c_Thj~Ev8Ozb)#0A(+CWrm3s$A`VC{)25E})Or6f9hJO(vALTeoc`Y!^D z7}ZkKvH&p-psvP*v|S)TY;M_#e1ujTsh!JKq&oL(=SUIxK|)4TdIDiW`O zPKVrW?3Gl^nD9OuOIB6|_A<#Ww;)k0`DyEZ?fB0InQ~S<+g4_&^tnzB{p@{o1`wIb z7;)u()MvAIlSjuQCv9BUeX#8iVjpHBI-FK`K8h5C2EJmq??Gy|hw>3ikVC~{0zE)v zD!X~E4v!3A^MjuvKy1(eLBi_m0^g7vEG!|RDT@(e#QylGn2ILfV8czc(%5lz3gPvf zm%$%T^=GXc41f;I(-PE-QJY{tcCi58fk+~PdmVV6{y6W0wpL%m>c5qtwrbZ-hXN@{ zTEB+5V3gsjptv{cAc6Aiu_(j$qZlYpu07Q)%rP?ijV<3zekEjA*+LYWtK%edhBgWdu<*+}|NYr1lal0)n~X4qB|~l1uHA9doV4yn_j%07Lmh2*_Q=itt!&;{%*LatreFZY z{itQ%y^qP6xUH^RZ2oq)vM#eG-N|*xc6<|fq}{EU;EAso`1(pCTZ;gEf#Z&wu6PU)`CQyN|G%GP`rmb{-Y5{w%n0y zT`z6d)+&sY3c@dkU{BLy?{yQgYXecCO}HDJ4xFNF{0jtXEEGk^Smb#x)bTu{N#<<9 z^0(Bn7$8QgVprdx7PP(1?kF=X!h%E&045&_#U?;;KPVKB#_7F))5{<@NK0Oeac6Wd zAP}d!*{>~mg2LLTq_7r^=nyb&4my;q;BP#nt%w5yDi+JHu78L>zz7MS@M z!0zj!%Gac49mwtA$#Kf5fjsFxKr`8Kb;X7qQIDGZw^Xs#0R|`s<|z?%V$>$sk6l7H zB^Ru-Ns9#{N%HMY_}ZVWPni@-ciem{Lv7Wf-Eq^Lw4Q~zI5)OWC)55{Y}VnAsMhs1WB!i?2NNt1o7$_5kImt|-U!M70zR>lh!ZBHN79+%+d(E?!$$eneIwE35K#D^oOl16VrP{jgJMo1>FU5*0Hz>;Y+m7dlln`30w zN5xPqc#%nVl`RyZxjIfVXLexYF4T31uS{icVyP?;cCe`d)FQ&`(danu+BNgIb;ku5 zv3n~+?TxZA)1vLN?}RC7?TwBzGxB&Waz@svMP!ySx?aWriYFSc-0THn2p5nBFe8to zN?c$X-A^a&4tC-APBBeQ{=tFZpJ2O-7O@{d(1oxIoWB0B3zl+v%Vex8v{y`{PA%iJ zeTRlKEm|9krl z&Z6K77K38Pu?+ZPF1P}iq!qK}49mhG3vaareJscHv5Wx` zPc)|8S%A~)jnm7ZHpn!40V)!$z)ftk1t2;k(CrNf5<#TGYOjOTX_xSPObmeRf(0{3 zsSOBJmQjkNVu6_tXLjfAQ0056VI92f5y#tbC_ksVi9MQzbX`}@xti)%xvX`7TT`n2 zAAoYy=&%$F3UqEl%P#8|_}WgLW*&yG1-k3447F8@w#&Y4rlj?2;%gU=#qiGXW0CE* zpISiRI}?ozd}o!Of$sp_^~G2~bv_{IjpeEBI5ib_F^a%$In&hAA^!ap%lJ?82Hy>f zBEWGL2i*IRGEkvc+H6HAR-2_z5hFDhK%3A6hr}}Mioxfjq{%*3<(UcK%QiFz_%^~d zCBV^QuiKt;cTJE>x{&yJv_RMbZ%6DWZT`eq4;yxwY~c5TKPG4fc1)uQf%M4N93!(n z9)@DU-7q^AQH18|ILVyZfr3wu*aS@p1kH5G{{!|(Wz5EAt~_~{#@JeCY~ zG?1B0i?;7jcT>_j8UxQ_GY^!TeZ=lr7YV@=h_o0G@hbhMeWO666#^nHh6jqw_+3J_ zlY^Ur;FM(u{^Xh(j8*`0#C8|0j{|_9=Lu+Hd=-){OF6w|8kV7Rnv02CW@L8!XWf_< zEs`yBWO9r_AIrfEBx69t6OEa<2as$HM6$*3K#@|xQ;_Y|G@%|63hEdZZ6GSNV1sA^ zjU#JC5inn%xlg8&*rI{!&uay4VtdMtM2EmeKEpq(W9Lw(O-w5WuNTXFMCwpdY6Ak5 zWyVTUvA~=M`vjej8vh62Z5P4bC<_U^N}I?h@*7*t{~ zRgYjJ(eGeCj;TktB>}<3OSJEH4^q_AK$cmllEe z?h7~j&hO7UL#R1d=@}@`9km6@<_K$H;}VS5fHt89<#M)b7G|tI#v9qkt-R)5WRqA7SU18ur9Hx; ztpc&-qlVyM1M&H2heSGS0q0Sql=!4xcr6;fW7zn=`+k{bc#GM}zi^-L~WI_#1uu_unyNUD%(C ze)`VMYR~8~7-sdB9u1PZoS7m%TVv$Yy}ps$^V1b;wU7^tQx=6>=?))Zrc&O$)pg<3 zO*`9!b;KBA;ff=#2F0!;6jWQT#ZFw$P*5pRUe&z`R}`R?nX#+4mGvdGInBd)0+d%( z=DAo)GiV_|jb6-bE;F3>=jdaRf3y&%)*g18oc1gup%m@mr~M}0`>T|pHtqwe=F~+a z+y(<)%J5#}OXQ4O*va-LNO{fF#s>(s@s^7iwL$aFOc-9(Il7+t5*E70DiF2{dXBN~ z_+2L?L~;2?oziBfrq@hP`)lH=*dMMl+~Z?0fB5E~8VT<4DDU$<2LA%aBs2H;$j+eI zdi5;^c?N*w-9$N=Yd5}J5wmEB+u&IsvN265=R#jY+d_KfBEEGGAnt_feO)=VJ3d_f zl*y|{k_>O|Sd0mdu;kV6!@sxhHOso=XCO{B=hg4SzjNNqtIwl9EPfN`ynK$E{n8c= zs={GQ*9AJqO825VQqYX8ys?LDrD+cO!0T1C%t5cjR$hwu+REA&TWOwyUWu(_UfnVW zt;LC9R?)&4tpx|T?CzjyrqvlR=x9# zd?-NthLz;ZES7@#`aHg6!ms`Vt*pn*%(T_~_S}G};d|uA^TWNNgAf5qOZALfI&iAT z9z+Xz;jb4UX*dIkJ^!Z^5eVfMqoFD~b$V_0!5h1ydNSj89U307r$ByHdnCsx?ar#a z4L-W34WlEK&}MlmraxEh_A)4n?%(&ha`&1c z)2I4W^Xd+Y2k2cC8fE+zP7%G-W*{BOZS*U0%77Y6HrKc*;_f6xp`on5@Kngt`JxBu zuU<3`(z-}gIx1J7kqI?rtGQ=GvSdL*)!z;oh10X|y|kO07JKky4bT7a*5815{)Bp$`o}B;K3nWx2nMp2A&p!Ze1^a+`x%BJ-EREaTjb%3;3`{Znu6#v_1vG#^f zjjM98{X;>4okA&8+*{9317WweR+Z2o2(>)LiAevo*{`GR6b_0xY2SH+1Uv+T#uVp(p$pb%K3EW@ zZT5!7UkGN6i#o65Zfg_P*b5ak?|@5w8>ff{%ItjtH3n|rQdLPK|LM`RM-}}uf+@|7 zgY#4JGvwhZRIpl5B=TN2**Pd@RxOvSKf%3k5Xm$yMGmgI@{}5?B4LeWbI_}Ue3fHP zQc7r!Q~J8(?k`g50!fvzLPc*>UE|PY@^*cELW2x8#zm^5vdyWwClGs-HwGAA-l$15 zzSp0(q#_p6)qQapvVZyUU(leOf`f4Vz90DCR^Z|fn*RP8T$WPU1?~WsN^m^C2fGt# zR)*P#dlP=55|?G%61?tjJ?k1Fr*Z{mz{V?AW8HDtUs%Tboz(bo+A`w0+QZs8$8xr$ z`8!<}j}!Y=G@NQa_p|J<=zfz&_VGCwRB9ZP>M*U;bF(&6nGJsI zf;XG!<_~SdaSL!NKGhgDVo%-hV;5WRAKQd=2B)ujdxNeNXC(|T`QFZPP>8?Q_Kp+1MpU0ds;C|38E6r@W}t@gLyR53kejD7QY z`KHK_SGS>^w}W4u5nO*LYQIy?wAwR@`-XclvIpt(L|J@DX=BEfLaI7{vyb+!Og>0| zNveq3tnn1b20SK4k-53RkH}`N=R&=<5mayYrazhl8iXjA3DvwpDK7jp92BYL>7ZVc zsHZ}hj7l8wqv2=Q!j6auZ0F!#A{fXZvIbG-YfMj-7ehwWR$@7L#1Z9qY_ZuOjf{7X z=*r1IyZG2gk{ojXu6VIg!*3`{m#4?oE6-NV;u*UZi6!-OvSf|L5kGS{fyH*4 zBdKTQ3-{8`Jq_{l4n~oEZE?e68EnIJ*WYzHB7mYdX{&|7P4Hus@48UfC>{!EGYr-tt^6j-xf^MbYcBn8XO!G$S z`e9$=!GRd`GG#J(icuT8+rsy-D5KDvPL+SRnu5J3F4eHkY}CaBS+ za5eh_{G+&4?NTdURGrV}2bKGzok`VP@~I+5ZZk)ssVG`8s4@Dbf*Y|dW^!8SOPyem z%87oJaE|-(x#S}#=WXy@R8*B<3^^+GF-+a0S}n7uD7n$~JPmQ}W}KuGb}o(gYr?0> z>}8_jsIm*~X=A-Yl$y~konL&;_~Fq(0g5Rf%OC5Wq-!`jYwNr zB#Ue^iAM%d+{e@(5GbsX?MmhH7trbxQ~mx3pdR#0$sT7+s>r26DFGFp(chuQuF2r? z$1SNuLK{M!X2%&1IK&A@EQGpYHGd3$XQGWZ+fc;4@hhFX!w#BqOV%zPW1rn%@E-N@ zf=z}*B~>N;RXW3{@-zlO{I4piA&Q>P-*Js|L#+_+SG>AKU(hQiPb=Kqklk;EAz-48 zC`cB`!khRyqpL5iQv6`QlzLGnS8UbWCu>9|`N#lTz^6A~lhJwosA@^%`m>Zl8X^%u zO{Ajk9vFoWQO&v^uIEfG-t;hC*<1E7z1oRN)%{{)oLKZTMc4m5~orW&U%Z7U?1B zdjUdm`7+r9Sz+EJisCdY6b8AZI^=h3L%eL?1Fk|P;TrYjRkC=&8kfkt zrUwD4@75bsV%oK`hBEE4&bX&sK^Glr;HHh4oz}4+K}`?TWHPAG-IV$^(S?welvedPULd(5LZZX_;}Bk4({+E?7|y3srCm8jPOo)OhkPG?e&D45)t)B4EJ7iz z&ONm<{G39pP-p|1k#r-7p;g?NVVku8ZQ&2=F5$VUlpK?>0@@>Eq63|JNtu?VoiwvjW(WzTLur$(c&f_Q zFDK@sGCYs#p^Ju7b4<~$CEK;s@cDUR@Dz&nxbR#bPAllVkb|dOFIOuRYmTU7@weo6 zuWOXwKXnN-7z^qqh@`1rRL$BHiq7K}x>SGZ`KlXFy)uW2o1vE(k0|6qWj1w5_Y50S zkp?C5v-*_h2-WCIDk)P^L(Ce_{(a) z)LpeV*2_D2s^{l8otakQ5~m;6*&{wr9z^LXa%6N_CH19B?rBtb-4hri`1cL+rNvLv ztHxxU40)kTSKYp7@)P{}-=YG1=tH?CA~-}{~;+rur}!6m?%yn-?8M5LQq?ix|G&$E?Qx)il&=57!RLGDp!qrOJWZ~=^A>uI>PoiDmSm&1tTDZ) zMp)v0DBl>u*Zqpb^87Mwp%HO}A%@Z^Ql*CT(yF+|O71s7uiTAIo?~S%8=Nk4<8^-d zuB$X#qW35Ly^cO8c_?_0z!g^L!*vKG!pBsFB0ijlIALg$VI6i7zJIDYxg1JD$$2s< zFw0{}#PsR?Nf5;T0-^Ii*YW^@hnD2BAHDd?6yzFqC^&c@NE0CgSxibIi){R4vn%^Ur z8MSt@x-muhq1Tf(Cls6yAxWp8L?`i4ot9~j$|GsDWL%^|P%V4q`g|LGry)O{mQnh{ zqMD5QN3vo;W|=CZ#7A&{ddxRMzfHxa;N?rt;BQs2osIa)X*>n}7ifddv zJ-Pd-r**y`>>2mz*39-OmGEuT?C~;(Ap*4e^XgA=hJL}pX@6A*6hiD_{CN1Q6kELa zaGaseKdM&XU`)grx--%nb+67SC`j7)bHT?t5z=4W`5t!2Ev;~dI=iWc;aBIAGvplA zpSLP+Kf>yzh^qBFqU>oW?jyrCh1#KiVn+4XPNsahXlZc+KgBNn`P!87^2Mrv3}11G zHZM+_n=GjpQ3+FnR^(8^JRg_8nvK#>k=)PtfPPl^s$p-yfXz-BWh0QZ{}objm!pVl z7<8`xdXLG;p(?J<&Sw2FO{_#+ZIj;i#qkKyRSvvTyU(Iv39gYk!=7Rr9ECk3tN78s zA5P6|oSJJ@2FN1a`vO1i8SK3Sui2Ai6_!-Nb<5|!j6)c`ozxjRrrOU$Rzd0vLr%{^ zonZ*cD*n`Ah#~ek$tt4v7i}wSEJuy5nWRA;#bx=X|;sO#7>V+x#&8#AFCj z_QsC^Gj1t{xGlef?;V}@RsXhDirx6$irw=xs@YqbeeSMy=+C?0<4A>f<*fYO{o2{C zoXDSg8Txg6CL!5}PqXp4^`KGsKMymhM5@F%G6s`Mq&uhw8d{!q$Wq8&8E$o&HV=$B^J^TPA&%8~0+Jsr7m}$~incEWzGu2Z* z-|F@wn0n39Cm-O_9ND|Vy5n$|XtPYm5WMJ+el^g(#PKm}OYXpmFpo%)_2GA`>Bpg4 zrlB}fu!NU|8swdeA_TSOeVl}?f9p>k!RO7%{?N+02adFvICT;%TE72)VQzz=7i*TS z>VmA#=GGzyx4}^0Wptr{dY} zwop%o@b(|wc3o4i{5_;j`}qH3@4cg%%GNhvi8#QZf)yPpcI>euH8>VV5wVON0Y$`) z3P?||frwHg$S=X*Nk7@dg^@taAqloe&opB*H_SE%|D4 z@`#5h@sh=Sc^TRtLPd5IWAdd`QKv6veS(V{nfJu&RwHX+UQ}J-w zHD(}R)|_4o%Dg3n-lmNu^fn`VdwjhAZZdRucj@}z2gS~xq>u}J@VdhSbjMmc@?k$J zrEGx1Aj0zcb??(wG7S9TczPepzOY?BD*n6pQfA8&IM-eoBPgmPQP_|%f(*hdA1Z~j z>PM6^GG^wQ&&egwQ|pcxqjMlbPpw2_;)g~{2fhYbotI-wbf9xUHYVhVig#h+qq|~E zIIcqH;BU20eqkg2U?ueWkBj)33=+=}x}tx)7e)0MG*yP63RRK(+?CyOHGViqMh-$e z@NpSV^^r_b2f2D}&(IaZD4motAS(JblH2em;zrWD$l1k~Aw=>bosgX6>lB`Q>ZAun zbp_s7#_}}}icT(JpKW)<6qkMRn{66b98oZ}e915pd8QY99Oc9qit1nZnlkL&xo`vl zn?bKJ4nLDG0V`J4@sooc&4MYK)s-ssE&`;TGS(TC{d~7b&3^4y2(X45A;9uR0IR;lkx4gwH?Dq8bSAtI>KODT=0f~v{`!A~&FJBc*n)Nn_VpZlf;dh?N` zLsTdluq`rfz~9nNGJbn$qCy#uzLAU@a0I+Bxdh2JoRyp6J%^=llcW}%*YGjx;y#!v z8RmdO)FKba6lMhEtTKoSee}K?NDL$XT!)5LA#e0thOS3)|7CzP`sbPno@W z_AHj3E#@BnH_jmIX|Z1_++aG4)}VQW(HcF@8D5v5)BtWVG)c3N54fNp*mC(?>&b#AaH=7*+b(4oDu`hkLhke{7` zv6gcleSMlMJ*leGe^rbh4FuzWR`?kf?$`b|a2dS}HF}N1f#Q z9yDx}Wg!W@?esFKLsf4wIWS@D_KAY1S;kq8fYrO_sdQEKllF*BM1iE*)T+Nrx&YX?Fm$Hkt3ri2znXT~}$bKsAYkOh(dv7t|nk{-(S1 z-3o<`=gFoUl`|6OQPGE*y@!{mM5TFz7dF^$S_rZMx6RXnn4u!R9^H~ zp)AMGWSFXl;P1$MSB|N=6LAxndC2)L*Mh0&i=`iK94sX&B(J0ew?{;AI1aa6uT3k( zQBL2#VvGt!VX#mh8!6Pn=6#nDKdi%1{!lPVg~X79g>uf7)BuYwWZHt@*c-vIRz-8} za!)5;c}GXNWtojAsS*iTufs$vBW1aKkK$>)taOB{7}6_ye1xgKGEhAEEj~V6P9d4^ zl9)AXp(+kP+~UJnZrn3Ds%l(NoF7hgwoFlpYLK#$5F#kQ%-NcOh~bX z6+yRM*D8p@G^^t=-9gOFU>(O)Uox5R`cIlLrDBRB^xSGunws7!Wn@=~h~>=a3LS%a z-;bR8g!-xt)c1!JcpmnAURTQQ-iXb~C8Aby>vfhGV*F?w%BmjTN)2TGp0Zh^%=d+7 z&-0uu4OErb3y~JDv#)O#6nVf@DQUdk6xSsEKGp43UOGMYU)%f2bq4b8Ig+2G&97jz zWaz3V;8_<84pvoHh4jnnp9-A{IlAg!Fj{23D@Ru~M<_$qKjk<0004KF>{K8H>A7K# z*CiX@QEn^h35tK8>HyB5Bnx?k&|3rBsDi@Q*#F6GBtg*@X&ZGwIT1I@JNn1+ zyEb1GdbucMpJ(pS(5@sdnUVP}3BCAW0^(+}AG5X7`_e63qFRNx`E$A5w1SLI8lxd|@#a9>15{|S zktv5lUl)BoX%@0f8+|@9_w88wyWNQ~mX0>)6p&fS+qTk?D{&)jC;EK991B%de=e;j z=Squj2MFgEr@Zbs0_9>q3)AX7yIlV_B^s1hb&-rEIlf0+qbkK5@IhQd7TV>+APRk5 zISpnQ;ut7PV+kK^9(8TjGhFgVya^f#2HT`;B|FjNsQrlo7mEB&< zb%1G{T_YWwRAx{^=xw2QdM4(=l-N#v9xWPU!T5Ea}M(b4gIS>UcM}hv;=F>e64#yy=v=*w+ z*M-p{mteGhn9?)Egdj)vV(THRAt86)n`6F2LW zJofSTymGWM4aV7mEAS2z?Gr03ij>%|aNFx^aYY|UCQ2`5NDB&K7%1H}S*aV1E|h{B zR^}`d#!jT}zb8C`(y%X{qQ&U*$=r*m+rVxpb#TkVH0*$plG{?aMiY`~t~?7V)!Wjl z$GF}Vm;B~@Ci7c#`P=21UmK=ZOUccD!m#0wgU5r=ijH5FCkhg6;=dGNsLYasJj2v1fCeps)hRCB_nWCOR2|-yijzmzt)8dLAIx>5P zxM4(U+Vb(|dK^@k03fR%ihbP?`=y1EaN^!V*E#02%b1BK3nLdBGZsYRqS+S=Ig>-n zM1Sw$YhvE-0HAo3c5eZFy}hYl8$T9&C7=+LZU%`fR+s`O#sY||I7&>pX62ecF~^(~ zTJ^*noHE;srb1+yZ?~daqvU1~+9K(=H=_KjWins@8v9z(6lvXBpboA=Vqt{w2r zBapoIx33U>zG}QfWtja!z0eYM?XMU_l;2mB4<0{Im|DjCvh1d9AJ}Iui8Cp`?06HG z*VmBa$R}wd$1cEi6m+8|$gVXK7wwkdE(Z`W&_-Q)k%*gR*O?Ut56R|BI4(=d`?@3c zlQ*>yHu1DU`@DNv%) ztRosC<`0#3T~bS zcn^Etxjb@07e-09xo1n!azcn4_-wYzlQvj7zYKobp7EjDc z;hC6&Q))|55n55HfeiH43ocgqSIg>5rGcu_n@&|gJ!(+i9hsVI82GoSZjDnW!B6EqFaF8zz>ip3ccKU-(@Ay#hkQtO+zK|9Xyb{0u4-g6z+^{mQkCY9wA56G^ zEqFjBO>~YWhCNEFmJ5oAdYsbBQ?*{-3cf0ryTA?u=+&*tvye6iptqq>Bz*sxDGoc> zmuFZ_c1+K_S-M5pS87jSLi-h-Z$&VOR1S%d$j&QNj>iLb|D5?_x zi$S7Iq52rQ9d|h%N_jVw1tKGx4Z~24vhGv^#AG^#rIdLSiD-yKS}F0mBvEj)FeMyb zo>B+V_FAy?JdENn$f^8%Ya*YYqe=W>8)<|DBtx)~gp^-~GKd&B? zeXZW4qO(^}_3dUGcC*>HRT77atI=HEC!>aI&2BSKJC#{K2IXC^{Bia(rvWN)l8VQq z)v5D=2D?JVTpXca2#7LU%TStq)_gE0tWfdTbt}jdBmD#R-g`*TO0@O5ROP-V`Nq4I zH66a|eBWN~@O|Wbz1JkK?e0FR;I7bCvH3p2GEzf(TXKNOm$rc#r+OS5LAm^DUciz8 z!{2-1r!S*^3s6<>-EZ&pHtpfrs_HZCE%kQ#olwQq*oAoRVW$&44r)_;I!AmQ4I4b2 zQoZ)4jDaeY5vq1~?y@552iPAt@a<87Ve+p0_uSxK)Rt*iQX_g%Z8)defMlStZDfV} zTfD+tOTFMzW2S+NXu$jVSydMSig_qt?EWK@j$`WbYQV4;ZYJg6#u*+Svf$O3As`Rz z|GqT(%rxLj4a7E#yVT!Mg|Z6IK7Vo_5Xsb^tX@Z3dCw-#)1!Q=r>9QxT^{enA!f%# z8}7$L%t)8t`~csmI`i}oe^l}73^4xn!gIXi(zHKHjP=|=!lS(`W8{`aCsoyd*Qjh< z^LhwCI!^@XGtMnJezwQK2`V0U7rz9W>vHLP-}=Ij!>fO*d+fYpBZE3P`BTQOjthg6 zXPVC|!K)dDAHSMC%__iB6{kr)$8vyilv4<3s<8Y09*$lJx+2P+fgExxOa_mz-aOhe ze6eLHn|uzx?fRC*SBbB4(`nW8mm1o~Mi#Ai7A^5$HB5h0p+Ozi;TuyFVX-wk{&7)6 z)zJP1fZoJ;UJWq@9;5nAC;3Azzaro7{rnK}2=-q0TABe5-B0yXjQYC%qlmrr=_DT# zo?$R%Wr_5==-nZYAZJ32%k88h=bW%!)Ec3ZpBuY9V~NWF!7h{C*CAg+opx=1YJJk| zIPi}5<9+w*T!%XJTb5Dseen%d^>dorMlzFzfOsne@^#hjI0i-bs~DY-ubB)sTr&~~ z0OP_l97u&T7q4yaKbc4-J??JXe5A+0wUqm-zHo9TL%H&<#VuLau!1%1B~JJGtFz+( z3!w9U{uIw?xU8d#(_MOhK0YPjSqZ_*DXJyv+eT)*KK~o>YuIIS?WWVd{bPUva00u$ zV8AGRUx;_;dFlrOKx$dWiLnbI`(udH^^1*+ud97ru{Ha`A2{IufkuDfw_aKrg|mKS znEYu??}t$4x&6n0*=TXEnWwGS_3l4h`!`EH&2y9f#Fw8Ce%$WOX4n)HX&7B^5pRJ>5U+py8-&)iDa@dGQz_TfsD^f=lwcF;qOnr=~mi z2=nl_=E^OTqD?!lE43KI4T}~w{-E=>vCDV1oE$J*djTx?;>hP1aX%kmvYPxhgmC}9 zGdtwcQb9jzRlA|@Gi(2sLpH2$=s(K#FX+9U<$#3z7voeY`|x$=B=jGzLMg*{DVwqo zHfU7%ab1}P*}-zk*Fs*%Wd7&MMje}z+QYT2@nESNvs`YeH}Uci(92y2*m=IC`Saz% z)H~T>1qJ@kGCRcfX2r_1V6#$oyF{5Ah|VOiDLUnUbjMX z`I9GmZTAU$4nMKi#8?9cSn?v}{ zWf`|+$DbDarsGmItvDj7WXx`hT)4=S)8ZZ%jae8rA2Oj}wd5A+4U{}{<4GvF6~2<( zxD9(DU(*XdJMlDOwceLf$y3#5-1R$tp~u0$AYr6Mg}bP@Gb_bEa)wco>9x3h^BB~y zh7|^nsvu+^`Mr;W5$!50<_|td!Fz2RX(bH^L!(*y`W@I)bgfh1VS)JeQ(M zfj5^M%75(X0OMs3kHC-ILL~H~jn&3hpBe%{=ZiS%2S+r(6>$h#J$xD;GPvv*%w&*f%*bNcd$du8&l$&OF0uV;^%Ls1QcSJG0MZWCZx+Urw{JmPylU!St& za*u;A;WCXZ7Er)kcnr@E>TzkTWq2cktj2P)EMC!>o z4cx|7L1xk8`3681OZ~BPK`-izYpr$y4eH8?2sUZ$RiCTUnRXXa#qW4GYVHf2O*(ES zMbHwt1~;t4x${=u`JA}wa*`*Q+YW5Jn%eZ)^#*IBzl}-LvGkArp((aLwbyMI3+v)< zKM1v^HD2PM4)uS?NcNS~r+mz2H9dE)9HB;S&##cQXKpWNFlJuc+nMNIk{+^Qy3q-v z!O16o{a~T4eeqnt*rprb^`HRDp+(ovJT{=HjvW(z+-$se2ChK=4ksmFgi~Df+7wJ= z*I^77j@eFARbTR}WhkS6bqMef$Mxd3S>4+1AYIhEawO3S+)hp5P*y&{ z7GzAW_X0NFdhE-mzgn$`#ZNK&f=%_YZG$0usoQq0gaEirtkj@Jxtbe^Iujjkv@n`7 zs-`i#Hw(s3^jz#9dFlCaSmFLniH$G0H=@Ei+uZX5)tnbl{R9iD1~45?_cf_Zd)&fz ziAwKlK6;~D9VgqkBE@1OL)540NU8qSNO4DurqHX#R6N4J)y-jv%e8$wswW@wZt3M} zz2<;ULc-)8J#z)YuPRfnaIVh*&!;xL?K3hPGY&D! zmc`mqR9_MjF=cxO_%sp_z?7Ydb@*X%=4qz&7dkeM33Hb*rf!a^`Xpw6Nu1roR^;7t zpdA^1)(*j9RDix@fAu#b6-p_x!$m51*d8@@$JMVkIb+JyT*2E zM0~Qy{5;E4=p4O>_N3aXYN)Nywd$!>$8~We?@5DyRTGCkBBkx|%8#zxnw##0cM312 zw$$+=)`&u9WJf32p0ApG#<(cJ^hPts*y;7it1mM2UhLGgU-;)X11R-k%K_dinnG}x zHz5Jb7k$%Gp`7jiety`wSjy-h%N|VeKPZlg0wKDLChsspk z*j>@NvExH1wdq^xSz>ej@QI?MR zumGilJVEKQ!;LbEPSl)i+E$v>}cw4%iiFgEKMO%K9g(!ia#bz)}_K13BuZ#+N zFjaDtN+09j$(mxDW9PfEL&Oyp@NZ;DnEb{}ivkDT=J%3hi))=XGA8*QNU&eq@KCOi zkY%~@nZ#X9Yz5)g97GU*FG7|{H6>*EoF1sP%8*!JSecWmp}lqwoNU?PI0i-a!Uov7 zgrjxf8!H=(pKtgomi`=;U(=J-@bFP~Se-?&b16*!>Tidb!{{wF?q71Fm*hAw=9x4W zXG9rV)GuH6ZjD1joO{_C_UWbGNhJNI0r4THI;dls*V0LJ5G6L&aPzP3 zsc(&|cYm)kUgvOgPJ2?DpPt_}Q%@h3hjrb);-%< z!D@Cb-ZIX6pD%}&C#;a1$=33rOag1IJ+9_v#kNCfHo zbs5FXW|08@IdpoAOKuh2xo_L-v8y30_{Fi#+ajN(;`YyM8daRyJGE7`PR!$U#=d#T z&>vP#yBK}GH8pm-@P1Z)ZGHVAW{ZgHKW4I5LVI~Z)zxNuCY@i(isU8!@@CB0^)!=pKf%_dOvP}E z)->+1`yIFn`QN3+&_MSod;N&)OhxmfOYej}1!%!&N zSS3!+n%812x=gcrL%+}Gg>ud$BCl>7GN(RugXtDISjLQSeRi6pyCD^^vxtZ{hM zkZW(27iYm1I$YMRTj}7#SQjQN3(j7}PCQV&HrTH7(Hdkg(2qJNoFQ?T zeyihTUHhtQ!&3HDa3)K}gijd7WepQb#uSFxx<-hL3@SpKT^g>g?JN{zaB0Dupr<*d zcMVb`e|hmZB_^}8O0~rGDT0t_`h{yc%}&)(9mb3)e0tw6Q*mBv{ph_@SJOU)K6TsN zC|vY86nnPoX|P=H%x^V&TJ+6u$Yn^fa$;_4vZ|RKvm7Q8M?5i!K68wu*{HSmmuWcE z33oO$JJ}dBDoTfTR&{PPu5isgq|@$T+-}fWFDT4pcQT2G+jK&s7B&_hViq#)8VjP1 zH&R1#2rf(F$iB5F3B*F4pWX&P_R&u2puJ*VN(F_cfWio7<5r=4?1CwzZ=#NNgz3iHOZ8 zG`!~XCR_7La>t?gh>7fuKW4V%gxVPD3W}cjxgLDy9qr?k*nB!DO3!7_Qb|XwYeeDf z6vJm`{-pyxno7hXQB(@QwZQb{I7#mf4NW(F3yjR`zHSKP&v;Y%O$PIPCI4dD+rf zKW`YrZKY5B1ty=%Vq^`iTI$(htLc`aV^rYo=JVka)!L}DI;X1kQQVEB{Ptt+jbm89 zN#-;ci%TvQQkc>1I+@9lNj=IN87;5eKOQ%nlq+scjVUT?{rOuMl7OF)1gzl3AYeO+ z5a8zp!r_*VXNV-=lP5?Q7mh#(AYViha3j?T{7pY21Q>Xt6`b5R5b7F^;XOeTfW`yk z_cN`a)VqO@NuE0qLEaXkRG3v;pX>hZ<#{~$u#Us!1N5RZkGb?aAJ36IO0GxKMH{luOFG{1O$8s(q8$sYWI)_MP;)c+fl6i1C`o6c8gW#2c+$W>)$i#VkkOXbBGRC#C%It_56kS zn5SNj>g!CR>GOy6@c__H{(+Eow`w!GO243B%f0EY4z9sp5cbV_zYFcS>)4Ei5%Z?1 zs(;ePX8iOm%w`YNA-^7tAD%-)Q*1QDG^HulwMtTrGHy`*tqMoT&}XzlAvDw1+F~O zvRCHM<2&1!6WJH+g@K+oeD(bW?k_dNuC2fKp7hQ~(NDz(24x)^(439*;Xh7Chy!k@ZWTxHHMg?XT5`>-4 za>1VWQXO>(`QoRT%X?>!vJCHsE%@WN!^5#fdiWUMlM{*m{a5q`=l`M#(WxW0!@_>2 zPhQqi-#xQ;=RWz9&5X^sdy5?(=-Qq;G4*0$M;2qqFJ(3M38PvDKeTgu$H~6r!XEkV zU2HZtb&Iu0NkjVJIFVrIeH)$R#*J0C8N$YAU(M^|#$Ic>`$ttndf$yhYEquSZ*Ol7 zMv{?a`_b4lLo@r&ph+9IWpDW2gp}wLWAPH+_Gz|lcdVwEscd~6vZn&CzsE5Aord6}z&0J^5KEvC zoB4gwbUg+wu~OY`Bwf_IG9;xZlxQSTEtrRD0mt10wUR4q(gxU9Pkon_)oQdMcE_r! z@<)%{ZpF7n#J_U>eB0le=C<>vyt)G&uWh53dRjC!Jm#gg2+o>b=tY$_=VorixyX8W z>5#Zhzm}t8n}}+TtQ8Q5a*o!3>9zru+32nm$||UvAh}aVG~-m(p=tO!w;yODPl?TZLkS`1bNuy%^A8?nKWrdDh}GRu$E2yQhxFuG}Z7lH)1u8q_k?i7uZGG0&gf z$sT_&1qC~A*SEL1$J5@xtgc?2DvDEWCDbNm+8w$fWui5H?p&7VYVGJsXwW;IM4#vQX~X5{ zQ%pg>w0<*M(sNK=mp7;X?qQ=rFYB&MfkFDAuRRd;x?owK7!CS~4u45|*dc>t-8Ldb zX~$->s@}e&{K34M8G3B8+W8-nRaeV*b zDwKJsSjd|zmtXy1d%6e0wvl-Lj{`aSZY(;bs=ftYp?Ao5RQ9E_FE*Hc z@zs=ePd8m9#7o|ln?Hr@%9#w7%gAv%vMXovT|VbvbVA;x)eDwRAw2jU-i{nBLQ{=7 zqu+qxSkv23U96` z_nsBTGHkxf+tzyqQhylLSPo}NcBOneW17aSC&n_W*OFZ+VyG$li#w{`b-4u?>oMy6 z2m=tCR*YGO$p)OC^|IcWW?GB^i1SmPLdr%$p$}~a3->aF6SD5gVsvTk$+haWH{CVR z8&yFCN=4gMLtEVtA~nUC0=`vCOTA$|8u7!ugj=*-hg#~ADDxcj#m_-?T~5Z}!PA;X zFQ%v}Hf7}vSOrUR`IT(Cgx$R zDG%X{Hq2h1c8Iw!%4#n$8um}4@TQYoY!OGPzM6@!8{57|IxdD;Gouqfb{V%omuAR1 zg?RCiHitmFGAca8dG8WzHaz5my)6@QA z?I@~0V~czB?+NuqsNeU()MD(vHo9BnWXY!(M~wmK_*mnS%)MUo0xT`D>j8@f0LaD~ z>N7^S5c<1}c;=!Sw8RU-WZJ9TaTCOfrlxhRS24-dC!LsNy7;>W{6T-bZvTPv&}2pA z^=pLn19TM;zca&!fNcnUul+JP>Q78Ek!vP{Cu}@~qP!(km+ahCHU?Q=3V>BX82c01 z;6o92<(JEa7TMc5L@)f=9AeNzJ_Gf)Z6JpZF|F};&-U^wxpqK_x>^;-TL|w~Xz?($ zM94GMWhCVJ7TOG-(oHb~CG8-(5Tyh6#EJGF%WrvzQtp~>wGpM{KKwwzl$?qAA(X0* zAwd6OD++mWJC!$W3CJJk@P4A#?W3j!?Famd=+`;S(k3`HN5 z99JY1ifCP7t8)=(&fcT!;NweVU6P60qogEFVxmdOqdh(w2>W&5oAL*mh*iEb-Yyqj zYtvr()LQ$b>AE71s*v|33h_5-_xKzEb*VbHsf(( z3J5o}=U5#)d^o-M9lJTM_|GT{Z?EzhVFyCaw|&9Swt>LvTfQA+pGIK|?~8dG zS*`CI_S}&)6D6{bs^aEq_DYMy4&DV`Y6tI}?M9KOHKQMfNNkF>y=3rn+*mFA#~(ji zqfQnZU{S6H3h^x%Bmd6-v@{^?bihzHt0(?UFMbSP^|Nh204~JQdOo^#MVQ(C)X(er zLFR!MrzYxoX=p6IL<}$gO?W9M08zM?*ZcJ0XDeXP7Z4!RU2$j@0#19BjPUYeV^FV1 z*!YD&96KiCR|dPO+UyN%Tn}goWKNb|x_I*O;J?X9?>NcvC2e*WPI|{lKwePbq<>U5 zEdD}pdiw+4y6TRVQ#K~Q7jM5`yFTq8^S;8hmR!up_=3|!NK#A_7=>}Tp>B_nefb(e zJN*ztHv(K-5hxI*4<^{ryTB2~;4qI6yFBe(oS>DN`S~ET26Ou0h>z&`Z*s(^5gfAf zyKuy(5lp=b9PwY&><2er2My&qhV-gqD;-ZwF}#5xL>cF#ud4cJ+$hi(e+$#vGVW2# z2xtICUA{yRjkYS%2(QEouI$R8v;-_Nf56Glx}@W^KBax5lL5 zqwlZPC_qW6nqn{;cPO9><8|%7a^^Z=o=g?Uy(7lVLU(rzPIydL{!4J3&nB0o{Fl4A zPh#zK^}G@ec!zy<>zCEE7I$~oNtM;OZ56vlx>$A8_<)wG2=R>D`j^YyBc~KK#U zJk(ig8W7TbEKCs;;xrH@pO2oo%$&6@<5 zdlJ;V@Bn8{pPhioMa>~2e=v4$;BiQ*%^@Qzq{NDE2;jP;wU}kJvNXsfH|K2|xj7(G zePbO<>=!?V+#G^yW@lWAPkQENdQlp|G71^`H(5rbaCo){+i)Xg4y5VHtAXemj92lm z9e9k2k@*2qL{YeOQCW%dV;Ny)S&8G5R1bJM<`nyFl9_7`OvZcXG>$`=N>NNLz9IM><{I~`8%!At>BzZWC#uN7(mFI8vOx6jWr$%7-+;=Y;Gj_sJqBsF=`0%yZ4tR;+ z6V@?AX|eZdlA(6${19@U2%e%W{jkYbi8%4JG)@ej z2XAipHUVL=lzk;_EdaxIZ9dxL;3R}YQmU1ygQw2dzp@thFRbP4D^mvpD4PrrNC2>+ z8-VsAZGfC+bk6wj&}*crKpf!`2bB@;_b73OFnKFqn27Kt*6!^Z{G;@!jfhh_9X*Q5 z-gKp)kOT1$ zCYQI}S?x#_%3S2g%hoO?x?137-V%eWxu+00kxRfL>CHC01#=v)cb^Rkb^-?e5if_iF#Gn6bN8+uf`E@6B3t zXSLl~ZFg4N-K*{H)pqx4(S;utAe&G5&o}A`v5FNgdm1`4}- zwf_L?cbUdXld+_CPayvzb=?!l*KlL~UuLemCy=`*kpJTY=G_y>#4XamS3j^!{e=mZ z(=VjcErGA*ZW@nn*k2fI44yO?H$gGED{y$Fbbl!5S?ztVy76)>fbKiC!{yg@yYJZk zf4f56o#A$8xZQVbyYJWnaOq$1Lb|7syQh)6@7VtPSTNmpY)7>88@_D7)cNa1eW{L+oYy!1S-xN?1CJI9w*9PH4s=JsFgmONM8)JoUntxY+}6>cnZzt?}T z#b3p?lDC{b4k8ck%;d}@vzcZRZ=PxAvl{w#udGL`S;^Jq6|~l!g`F(y!bd8-rQy3F zZF}2CcKgxvY?gRWXx+8Xv^fp?$=3t0k%g8A_bgs-;QNfM71=Ienb61lL&cx(^>6`gMwxW?~8MIWBPLMJe~^BZGo=Ua}r zv%#5Bf6HfuWK-%x33B0wBKc$bs8CntwN~g*=*B>{gGEKK$s$&&xr_#Hoc-HNO%56TUuxzLIpzbNUZ|e;6Y!TH|j5Ki0P& z-e10`_QLnKxqZO86AY!G`rIF5S(Hp1w5bXg+y|4 znQLYpK%dpv&yw5Fw2|A)38FPeIXpJuH+?F0Vbpu@_y?J#JtwmG74~L+&lrNJ+0~3} zBSuEUJX%v}x{gItZn|1>k#{Fv`Mu!M+Z(>biwYYa4vQWd*7}$>Gr8P4 zb(QVr@&xsVp@1T;ak~1v9NR#xJWvoxoru)vwr^9*pExcn zpa=?&)otiEyy1!Zkdd@0cP)TUE*wV)v3$AGDOB^07EaUx=ww{OZCo%WW!R*hlB|-LlE8UTH|RZcAaTDy;+hooZFF29S;8K zdz)7|%ra}f#2I4m-yD&?GOX!bbu=y5M$JC!*AFh*!}r<~26YTi2!pyBTC#3Yhb{~b zVBFf}P6QwCj`r`XLa7*o18P1a@Q1&ch_6eojsT9FeswBHUR}oHc(rECWoOMR z5RA4gn$!zuh&gsC#m z^J|APbqrrpm6KHwl%CmYKO=d2OB|D#!gmX*un?|G*OG80TiYTeZ5_oTmLxUZYNPmA zan+r9GhIYEkv*x5a(|00ZFgxMA3nSK@`LWR=FDI zf2Y1r^;s+SCr&7f^+D^!MoqD(luPpz%{eJ7zY4y$FO6n~R(AbhnBlh|RQ48lI z=SAaX@hyhFWRk8#RBsW)^IgnEZB`}Exh+&t&2z2ix2XJ3wIl}rjO5cn9g(%f zm^6%(s2NI<#9wKxp-oJQ6Rr1AMr9+{!IL(Q&aYix z7p-5zPO@i+JKK|l6~%m-u-(5zEWqOqoNF)O*yW3643`-05nCD8NIE11j6z$9+cTD= zbSQ{9cHfrpd4jn@A3$Mm$b8|4e|E0PVSB3C7rL~SFvaJ~S%-6yTWf+Gyb7p&Sh39w z4W}8k=_gpt_qcT5HnBllaq$3$&V4nKq{cB0(>lvtQyOC&gkc>2*1e_9)O7`3w7mG# zT_z1pQPkwUZMC6oUo)!5iP9T~CqDLkJlo@XU0Y6)cyh+T7wqPV+?(bvo0>~2D%xEB zHrD58LJH1_?=vhKJ1QCv zm+(3s2L;Bb)_qt}8+z}x)qMG_h3>=Sl1MbXw;Ho*lcctl2_1BhcEQx;nBF8>=cZIGje#;wqk0 zgCkhMrLn@#v=D<@Rub=8K-G7$lkZ6N z*g!##%^+zrbTVd$OV=-E2%2ju;)y37(1$W}g_S(0v5?30j0~-E=*TG$mGEgb23mV0 zm1SIm48a6ziTAFR5))B#XSlz4UTO@11Us#E&qjMmp`O<*1FuWbg@MiO4xQDppC_g^ zMEB*1-%6^VbKdHtmRJXI>7`c!nT)3ndSL=O&wn$o&XwWbc8JOL@yg_-dU%yhJP<_d zwCCuh3R&XdVoAQlFuhTQ$q+oE(fmGF_jqe4X}29>-`Us_fA4BrgJ%h0?=2d88O-+U z2udw2$~JA>N7n#^fBl`b4~!x+^ZBXKz1qOsr~SkVc3od(Bk=hXH1o~p)8jw?sY62g zSFRFRsR^J^i-i8SkaVb7IabeYRI^Is!Fjs_f5&`o%K)zj2*3<#J4N*xX8jOzved_S zm}_H|AERc1De$mG%*_Ir8F@v9JfYGs~(Ybes9>W4k- zaCl(eQB&DxvX$$O_6BQ%>3(0b9DdRFsk~Lw;ws5vn003Jgv>jV^IxKROET9a@4xtN zYfVe3M9_!ZwmY3Ij$xSkRU7)3G&D-;tfHBcGIqy@mJJ&%{A*SQh9)+hu8B|AO&PPb zCR_ZhA%@y0uK{Vs8be011|++J-}@5oH@GaUI*d%i5T4%ckYG1l z;0%16ah*RGN!eM(43WA!C1I*yd0U5MiD7#wXhH`cN8DjjqB)*ms^>3xTNA1&liFAU?Q53ty&|@ z`8%38DUnAL2#J`@&i$$vCcNrG8!NgasmckwZWPxUWz^Z>w9_hw{>Gt=XBD(j-=FXJMBFP{ zx9{q#=*0Gq#p`&DZ!_*2cLZIZH-+06npzXnb0({)f>s=3lyi7nSy?K7g$}nYvg>6wj()#0)fll4%7oWs ztND<7&L4$F*szntNA-^x2(t$PpQnF)LD99 zPT(UM%$IT+IGzo#h+Fi^LIupULq-auF!*0bJ043W*SwY`3yyrU3P>9Z0P?e^{3)tF zgQu4AjP+s>j%T4xz@D*~-baOEu37119(8>-MYV7!RF*q5qAB{4jME@1sDKCzNK@ISJhq^ zRJMuAHOxjptPJO$qz_QlUklV_wb?%GeH7av_-MG~9DNkA>R)^Ck3!e0X#*Cf0egR( zOP(*<;eh=205GkQfewG;UG^0Ko9=XH*KWqfJrAcK4j0kk*BRW{`EDB zU-^q~`}RN5L*r23{5L<3Ja_Ktp{fzumQxIxHff&^4_`3#)EN*CJPT5Z;nKOuqQXn1 zRrWih1z#3>ays1TzpoSU*Sqk%>v`M?pH#{_M zoNn&(`XH08KtS*b&aS2_MT!Ufd}8n_iUO#GhYIyXPFISQ#gMR%GCq{8o$I`BfpTw! zrNKm!@@Jhh!#?=%+3c3~rd>Ym#f7a?QX4*o8h1dlPf9KHHbfioUAa%zL)a%1wtX}l zj^T|P3n{AWDfROy3!gby#LhsSyHBhPrZ`I*?Yz;4zLUX@Y31yi-GTjAkVrhAIxG9O3ai| z9$|mIC-)7pHA0aga+HHtm7;-$cTITH)j$uzxA?(84{G?!>%8nvn;fxOdul0FW{n+R z8VtU;AKwC&@{o+iDQs1%THG8zzeEd%DN)x&YI#ZdNxo5%J@<79N~J%gluD+M9Z!N@ zz|jkyuT4s+)E8%~M^Gva0i}|+e2sd7M^GxIHNb~8NGX*9AxAwkx=<k?;tnaE7DG~Nr4&4SZ#kBpxh`- zFP2G_*XmqWPKjglQRe5Sx6sh^i?9mEk1s~`@OK>J#BmqE3W&Rnf0eA5M39-x`~LHZ zF%;Fm@U!dW67|HIWs|`F2-cnjFCx}bRPV#ZI;b>)XlNhab>Hdn7keC>h!Y;9P3u2g z+pq{ay5&kwYE;eV_Hs?C5DLnVB8jg_5j?{}0`=zj=;Zuqh zG?KPLz8k2CIgq<}k|t$KSoU+J6S>u9cWOC1_wDsdw2#h;v=aLMFXYz9!OK{1lu3UY zjy=}++4>e3Bp@=qWOOzBmT;fa+p8cll<^9n9UKR+Nj7}2q z;>DW-VbT^rRu64H-s9jn#ETQAyufRr!*E|lsDU>nmtc;1z38t(Sq=c%-|bEy&x2=? zkdgy?q;u(zhW3+@;h`Hz0fRxZikmaXcw=;ye{lqBY6TQVb|E?fg0#I0d&V;47EBq> z4s5Q}0Gxw@QoEAsOwok+wl)kp}u$ye_i8QMdX;7$`f1xqCb zcE*oEA~a7*B6I*2;78M@hqE>%Kw73IBRH3tJ3Ty}t3r?n6~pQjOG$+Kz`^|#(uG8* z4{ZKH8958K*y)>JaoKC1*nIp$csSgEcM2g$-mXhY-W1%KoaF5Sw!%823(4Ds0G$`4 zgO>w)xItUpx{|!Tg-nr44R;^XZoMdeEp@Hnb$F`W2S06ut+?~q{V{{#tD|P$G0lp| z3O-1)g2^yT7i5Se@~i-L^#oFMfhjIB2AniZ78*O5zvZTy6%MsZRb z9>%8x_oRw0UU#TU%dFJ61&%s}P3>6w>*5`wEyESmYQ%nW35KfccT2kpiN1Q$gQB_u zK4;~b6)5PtLB7Z(SSs5c*x#y0J*ir8$_&*e_cdVMXS!rom7%x8pRv`hD$RP~(%X11 z1p`b5CJOEk=0X~)+|-1*Al;E1BO1m@u5cuG(>W+Msg)4rW*?!BeHJJ3x<8IoX#o@K z?wX3ss!Bq41oeeg>?;$42JbC$uJjs+Y+WHz0k5LP$X@-2KbVJ@MeWpXifSMNIeqzB zaEV-Jwn~ukH$t7&@4?!KAt&WUZX=?Fw2osaFP2 zv#&FCy{Z&>eiXuRx!wCG--Arau<>;uQ$NJD1CeQwDauP0nWFGx$UFujRS`=BHY_S9 zl4(%Cn@40I%5p&aydYL44ogE@iKt3RX-H9D>$ z3n;3Gkch|_iC4i&k>)ZywAayy-$5}C_fF=mTRS%$9FJbguP7CerA8Pj$Kdn~7^$-T zCf^tjQZiGLJUe*hZ~pA1>owFw|3$wphW~v=VCZiLRn==TE>%c|Y`sqhk!uZqwe=-n z33^k*L;Dz>j{Q*pRN^|bB9pLRa&`_l%AI1&)6Ya0LB1YsXtwbGi(>oDCc=&^JNbvs2TP+PV$vEWiS-JCNRGb6KGLQ%fK^4|F@Q&K`*l$GtgJII8KtIk(qT|^omR_CL9sNqJG z4`sgNpS)Gh537*e&igJk0G8vCX>_fD6+J|zL8h&89>^!S@3@i7ZsB5F;@Y1nxKpOD zCy&p4cYdDcoQCP{W+z5jItC$G{lT<-#aSo!d^KBzl8!2vmekyR9f8M_6+U^~{2rx5 zSCT>WByHr_1(-0zxY93k;!sr5CKAd>#D`&b*JR=!eZs^2pQ6OW+kf$qV*!wH>AzR9 zSg#vqMz~p2`t*1GAHT$Z=)t;#-B@oUEh8wiDxcc0zoS-@iaHpGyp>fSCo8E$BBI0$ z9%BhrKHhOx?dg>eFNG$TLcLaAD^(~y%9~t?Fj+q|Dk4y%CUe*sVp93SL(j`9ON3ZQ z$1{q{I(M0T^Hg39x9I<2@5=+BT-*PdIFUL;rR^9kC}i3dF-p5oN>Uk>q)jShotdBLI7&j6$i589zRcKW%=-MUXNLFfJ*VD!d*5&8_lLjIW10K8@9Vy< z&-J;szD!@wl&~Q59vxeRn1Lh`*_yrUxaG@k~O%K^Q`VmuA7(@fLV_=^XEez>H21pDX zNhjdNpXTH(@<}vh0`s;T5&vuk>~e2QU268L(@(@VXe6z^ z4A{4yeZC7wv4n6O$TH`rl5eiRe$FWWOj9rzpdAd*{tN9n7@!>t&<+M@2LrT&0a}@W z!2qodykAb!lUU4hCfht7ZpAk9<~UG*~rjc5|?5cCc!8 zuxj@IpxS$|YId+{cCc#p2g`K_gR+A`*?~4I|81L*!K&H8s#!T`-q2qn`;V4EgH^Kw zF46Z?MGppL2ZOSYHbA}H|Bz!GtePDR%Kmpf#0G=1gF)HJ%0w$M8ZXJ5B5b2~@xryHj3RfUOh7RRPLD-4j3BNAm z!qA0f&?=iT&4+9tiz$KTz7CYT0u@a*+WOb=3LOv4v|6EWc#6R)?j-bQz1InsWeVJ( zJF5W<5lEa`1(Orip&=qN`GW}NZf%W%UNoM26V+ugIB3G%23iHLhmOaj9B>(; z@_wb$InWG+K#OwgyXO`f;a_FQnA~>=+r2K-To2owmG_*{S5NNJD{O>0KUF;+kw)tS z@s0@JE1XnsCvN7@m`F+Wb#dt({G#LvnvY12A`Zt21%*_e8^b@bPhiR(LaORvh~EZV zvAW-IBTO4RUFcn0VPzhY)^nZQ8FcIwF1s(71G`}byJ0l13PyER zpv|UT50Rk{Ysn1g-&=LN1Nu$6!uW^y86D`vvP604(xp!1oTSuy^st{ppLz<3M~TAs z`XD(y!K4->g1}8IasBlsy@X>igY`CmLaX#2(O{g?>KDcJ4mMolCOU_oo!pts+{eF8 z6_M}dRadgq$(>khH&Wq>H39~rMp#wPK)R6a{8sWuH*2Jf+Sk)uXZB8=m`Sn3zvRt+ zr!IUDZ^hz8u%3zprd*|zoqQQoaIgcsj!ju+lz_GLXU;i<#00?7s(tbh(5|5$#{ z)7CMbc#PbEEil^SMY;$^wr!1v{z0CBi7>n&eg?D%su;sXheK9D!_)q!(6^Z!S}xXy zUt0q6OSCss!Dd!Ki|PaGE2uC#(GqQzMoU~!>R;>pe34%cjB8rZ)TLvcvW;J(?29xj zV^iiPw^uOy_zm&I#%Ham+3A$6;->73!oAOLmYN#40-I_6?S^ZZJu}FzzO62#@}9+^xD=SANY3lA zbrgB<*~$XT!l;SD0J{#aDsnB1#*n_%|?fLKiC zuTbJ4LU)EY|1@5#R*2;vNB-y;i4|{oA#fCjke&H446$Jp9%iOmF~rC5+xT>x(7iBN zcpMv=!e$5`HG@D>_bX@8E0RPvn!E7=>oqj8s6sh&lwry#`Jsdu+4nPG2uuHi!l#tRfp?bcF zh|e%03R&XtLPqx?MqHnp(38oY5h`*kYa{pULYS2u2s>EV)FU5CqtiP)X`$7P=UMX{ z{1qF9;A={(;67Q02Ekie<2x@SyM1|h-j!za4l%!uRFY5wCoj=w@iXA$E9%6H;0?CG z8yr}NPC|Wwp8S?dDqL|-$jNhzzmHBrtw2wHKnH*pkv(? zC7k^H=OTMJ`4i~LKMZ^YeX?>Lk2`uNtmXu1c>9Q-U$y2BVR-T1GC4HIm<}7&_(%8NR<6zQ1QX7p5NF zlPJAv5?t=hRx1S3b}zvz+RM6mQ==u77Z|JC@wglgkq3=EWaq!-L|OwHX~2 zGzO&4O|}djH*_9a#2aR{Ho)s014T7MQ!oXFbFBkOolx%ylZg&2hE9v|N85tI9xjI# z-ThBDfucGUP!%B)FhL!Z`k@_U8Mw;OTCHm4lL~0O_z?qbk<{Fv2dzDAVU&-6=t*|7rQVyUK0L&#M<74x~oR}-p}ecKUgy2DTcsYHOh zX~y$&-1dq`sv{QWt>kJ^RrT}dCJ7Oat?I8?!DP~A1~w0IMq*f9R-xv{SQ~_oNo1jT z6k`-^Gn<7)#6Cqd^G-^95#B)Tl}h$KV(QTD6yMvZj-*p(^mX^t_WcVn_&1`$W_ngjCCY3ZglTM ztWcbCghbvql<)~D&qQotjBpnP<}~UthKDf5!kk8RMw~k0RgaJVSQQh97)>cg_U=N2 zyhc_LL)i`~XR&D2h=A*ZP2%UKN0WzsLZS_kz_4Dj2q{A7j-u8RWHB|bZyzEkjp5V8 zT;gL9eW1;JeKhlrAvi}tPv|`fR3WigywYYS-+__bN90jccok8!g`zhNe_W^WTcQf% zNdoQ~hQNuO!9ji_bJVTyy@mMhtmJAIk-6YEM(>Q!p{x=?5d}`ov?cfS8Y+Lg8!0lV z+;I_hX$i-mxIyEY2_kSnf~o5_AeS9Qi`(7x8F&&o0x|d?E`%|gyayt}B1d#UVL4$j@x8PE{nY?O1~i__tqmVk0jfTo`>%z z*lzCA=y?o&tKOj;sTQP7dM}3mx37=xc(Zsk9xdD!DuF zh@&~V7nC6{h{dmN)?>8ni}J(rClyAKTXfWyID(d#FRB5w{0tG`xBGU7n%*u&E|S?! zg^k2oYN+@m*N@uV>0)w2T+Ku-HrL$<#HIOnyyXpO9CYNuFL*9_QNAc*M)ez3UiU4FJViSOgG6@hVbSnpLd|@B zhLB21Ld3M*rzHhsWb?0LfdJVa$?@y-&tWh!_}q9LeG!u5FCe#ojMp=N&&D@9I`z^T zn-{U1l76MXb$cg_XuOZKF!IRiVmzlquKZGRj54v^`0z#EvHW+xo*(kKuCi*RihRK6 zk7qx2`&jE7%a`PBuaiBN>d3Q~KKaU8-?{J)nRT&>}=lR42YWy9k?r*rrjw}%u7zZ@k+3VbBfYknCT7w%!z8W z!?C-bwQXV4Uyt-k%fO4zw4EmO1vhr%JL{6$?g=WrSuQMkYe$>Fi|irp4o2=UC?-vd zm0x-pAlX%3%*&#;OeCr-%9OZ*bDR7m)TFLfIh)kWNY)jki|pRLn&XpNZyERGo%K7+ zOs2Sm8g9}$uE=dmLd&Olq)nr|dC}Bvtuprr?}u-$`=0>Q(5gOd?_?Tzbjn5ePmX+> zQ%?ItC``u7nHDb1#h%*pqUVnGMleT*F=Sq*ah%_;zs4;Kpw#EK6vC{?O;oco+*z8N ze99U4?RL2~r*`2)%cEvnWlh8{#VO%30UV64uzf^0jO~7j;XEC97GXQzaAJF#!!?Z{ z@n-DIO_o|iy$g5amEpOxGO1>v==n14#D6ow($VgC9CBx?QmG7|GP|p z7Ho*cG2VhdJ)C=yBG-Kg#^&kNsHgkcsVYr2+qOzpPf&%C9ff2!|L!euRAD?WM+14e!iCH_or0TiemOUy6-#eIvO36!z&Wq)6fK*;3#H|n z@-nTR{sdXePt{k_ zmMEy~o_6z0rAqF07&^E-6?gV8KdA)gPq^~OWcbNRH#3-+JQ&*3vn18DIB@nRIa$mM zxkb_YgADy%Ws4&X>0uGnWi|DOYwD+9d7C&~$DX=2_Q6Y{SJ_1mv zh;%f@a*;AuZjedCx{TOHJZlYn8+(|wNlfwUSok(q{5CN5`0+y=>jNU=GII@KYIH;Q zg>0O#fcB25dYLf;rqT1`Si~XkY_a=!$5SmV%ucIms@R&TE!1V;bj-HNgM^OOG?IrI zFY{yO`%{9G?3Nah7DZK3WOiL2Oq9hC)j=-(PCkMO zAIo5=%a$}Ksx&1X)jrJB+ewsD&{xf0N|?G6kY9>Y-?GjWySIF}p;NbEw@4nEDm8U- z6O4+NA2s_87HzcJ)cmL!737;369jV~*RBA*!)SFnbzFO8BL26$>P210=3sE?OGD@A z!ko0{9$Ipz;M5nrewefi6RNchTk*&@aXiL+RQ^(p9Yqdv0&?KvtNWj^1MAEmCGOLH zVh`)gc^DNvX(qZ+w`?nWRZADaS2@uS^d`eIL215jhp*!P2y~zJ`F4)LogP}&aW&P# z{mtBPcg@ z%rt)kp*4CQYlD$n0-u)uT0s`G2hJzT78ecQ9rYymr1o+Jm6aCo&JDfeU8%W*6&TY|yhk`02<=)0Mjnvd*-J#gP~+pw*~Gx`@~0^~6_-YOkkqo$ef zhh7WHTWGAlNfXq8y3BQLvzuIaap}YRD)}F2sk4?HHB$v$xavwKv|GQg@+8={<{Aw0 zQk2cp4W;aPmK=`{&&A+el4~Oqc1&I|j6T(7S~d*dSPQRtAzf1zqo`P#p{jc|5;_9H zF>HOi1J-atZtg|3{%7#XO7_E5H7{H^O4Pr#!(LYwgDM}h9Y;mpEd*DQD;RS7t8eo?eri*^qvnt_Qgbh4nOd~`(1<3@A0{uUILnh2;nx>Zj5qEhO=t5n1=LZ|I zjL>IKfX>PcM&H?P@3T0s?Y;{@33L=^^6cdZH=H=4l>ro~+};OiiYb@{b1{a& zPL6uG^E{0GQrtb+uKC&&GfjC|$G|fX_5LMo!&=;0T?~UaufvO9KL`5RW@P?H>qwho zkfG~GiI3L20Y&}*C2i<7ciP<>qb@IEA8zOo>SJ&@vjn8OsTR_k^!Wz~HVw0lg}HkV zVXvb--oc!uV<3$K&xA0eE@&Zq5FBXaTCII>Vr$HT8T}sw0%tS56@8X!x>4IHOeSCh zs`&^H-se6R6qe}`VzG3XBYI=by+iQX<2_?xzU5g^J%JAA;2?wGAj3D?PnX4{!%?Ig zELT)nxdN2cz%$Z1djAC|%_w*f5(1|?tf}*~RIts0@sEA&XUJl1!C#p>3-tJAaQx=e zN_P9P(mZCHUQ4d6{~*+_W*1D1V}ZE!Brhq3%?^Qg`|}H}1`(9#pXumLlfL9?xM>4N zF|b2fAZ6J*r%I1Br)8xjkXOtU~FoM*p*l`liDTFAgv1C3bN9j8E_o6#n?h`|wQ z7kWVjX@Ow>Ns>O7gBx$9(sf@I^vj<`b2i-b+2cNfXimPFL0ujB2&lT*pauHn08Fk= zBtQ*Ovwr8L@G7H)_&`uHKULo0n%UQB8T+9h{8P0XtKC{TV`!ODE?8Pr+;V<(wu&Or4`$-ZaA1LQH@3*R33 z$vXA?kpop!ji8LOj^YPAd#j1~V&VRvw&zDvEoj+J(C}Jc1?;rU&KrQTlu9#v9VaWn zY|?t^_hqV*2j6;Z_m+BB~Yr_vvZH+fhuuX^AXI)+?Jgo|N037NZ@nLs(o0B z4$jJh2LBVZ&>WTjQQ7jGispr@u)~{sV>hEHLa=G~4gki_Bnq7Np3^o0ceyhFuJWs$ zC{Ve#VGOJnPVunp*-03=OR7(TwQLOn0jL0YNRUZak;SY6^QF`O3Ub}VF<>PH_#m#@0RKEjny9u<2yqXbckpYmSeYhXwv^kv_{SJo0DuAgT zA_Y01L^l1Q4*@|l*zuuLe*p;wTYOdeEE=v7t&Tkez!exyolSEsV8?X=kl*Vdyuz&*VS7k^bq z_71papi~UZW-UExW&>bh;2GFS`Dv%%rB}mCZ%EJwEja}M*$Oiuprpg_Rc6S$V~Q#Z zCU3(UW9n9b+^V65GIKf1RxixFWk{c^v!)R)mGp|9fWLg}%t(OYAl;GuP&$9vbEf`J9UnvAQ8Evgfjl*L$rkcLkZ0!PRwIaA2t%h81 zQyy&ucky{dE;!l=sSI*qble1R^8Nv%O`i14hNe%O||P2eahUe__Z$pQ)dhs*Pk z*6;H83J0JrIEwu)59&1SdFI|K_VAyXOE|c^=8O72zzE|5(RpU?o3vn4j;wMfL3o8V zEo{!q&7j!!nuMR13Frm$OJi0V!sXcvc&o_QXo4)J9)mOl6GBAA0_MiP0G(>#+qTLF zZU#TT)aJSggkP0ot7gESp4&5VI{VV{@JBF3c>vinniH1 zMW(Gco(Dg+DCYuGiu#~-vAHlfE)fiQiB`Lxf{KdwA!QX!6y(%IN}S$3fR>`9z-KEs z+?8*J1H%L4M#25d=u~?H(B=s_x39nFBy<<9((qpB?klzrpe)f$1HUM zp>l{^IY{BN_gku-YMgqUTW}r7J8(QEW>m$)2`07b3s|9^V+^_bqX}rSlEfQu4i*jk<$#q(SKel`YufcuA;5@G+ zBIk&Y{G6CDBRd}Cu8MDD3^xKUs+U{a1c>`i(`46KX~K7(g1|}vEAUFzQhqD};9J7^ zabTEH8lrz!U;&3im(97;j{0AH+d#dp@6Pjml|4Duqfwqv@Hjj~O|xbMu0s~%3i4In z^tfY_@~e$5&1*mkMuHT4?AQWQ5Drq%q8|=6dM`-9UTho;60`#;c=_C`UT*$kvtV-n z`@&bHyOpmJ*$i+>zvLa> z3<9zKEwTgegl(0)ZT@38fcTVLpb)v}eV8El1?I>PQ=q?8Q&7=dtFOtnkvKMU0mB#e z-}##vjt87h$pp*=R6L*@0nS$LdjD>>pi->QK764ay#Udl-~wF2-BQw=xf`zdVhS@o zew2#$9>tfpU$r~w9rGBEk-H7f+KM~ebTH>D!JIF@@wo6`iFm6XNXQc=9}{zM3$o@&uD`WXrH3aANK=zQnXRI=?mReji5uWg7E44Fu??&w6C33^CC37qT+2YiKN^DF&zH9D<(8`7g!;; z<-a+|2TX$KigE%!CLErXX3W166mu-~0*V3%qHk~o^FWmLF7Xu35^TyywX!~H)`*_D zngD~5GlB(nj4f@31SPwhy6mo#%05evWUG^MlBp(qigl&C9cNy!xA1)}FAvDzKZOZY zU~T;#FF=*2$Lt|l7UEX=nzO))?2yQ1sXjXv0w1~6?AWi7b00>kct5!FLFCfrB)x-) zqhU?OC1pTLp-h#;WTh?(c$k{4=0@7d(ZMFqFb=a)N{HY_TIWWHOL4kk-GOx{^?v~l zVp4&7?GWg~u7UOHI8n3;OvfEC9pj%8M+XEb=?|mR+numkZ!WL8bt%RE!mEsBM`1#*mH`~a7^(x zz_SCdqP7rT<>m{}V6G3X@Vl|CS4uMB!;hmMet`(##BdbZX0?8ToYP5~?8EY>7^(nm zhk?}T%@o3Jd;%SES?{_$q-QNP3q}SAAJeN_Gxfnwo&txZA!}ck!J9zPzI^CKlILF1 zHAA}oElTMMd4j4WuyYVlQy0oxJh=kb(q?NovDCD9++#I0%_rKRT;?qnfKoF;1Ka0{ z&!8SZtV8Z~Fo4RJQvq6R1ir%=6vvflmv%XYPhiSAhCoz99pD6EaVvl&AfLFYpg~DS z*C!66&ox}r0AP0KYG(-SjsmY7C9~G9hl9}Gkb#X0_8i{U12EnIw8p}xIKXXAu!f+3 zaEML%fw*@>vem(kZ`FcDj6RJ;Ntw??^dCX1fATqtqKB{Ct1N-jm(AV0AI!MQ9tv-6 z5D^K{hCP#$6cy&Gg91MgpEaf3Ns8Hbz^XFVa-s0%kqs#DkQ=$6PD9{~B;k!yU_fSn zYDqc*s1<;uqq&{gwkCLMbHL;1c3sz|qR#}IFw0_>0>KNKLQ$Y=u_vDvaDO=vLI!C3#>bfDvKHF7r^7`^Dg92A(}3wO*}M2HeJ9M!nZk8T%65 z3%8^1bH9V5kV2(L`-)9p80=w!b7BXJbI3HpLBa_drlve&O)>*KWAbBoMv^zNCbsJF z4{@ZrFal14bl2HZk5y6D$~B5-!#8uW_@m~+MuPy=NQ z&;wr&VVR+H|MR@WUF}Y-mpCSH7a+D(8Sl2%nhK0Z*8phR4W}0S1{-PooLj{HxWy`e0U}( z-Sy$UtqMp8NPjfG+|-L?v~Z$Jl8aSd-r>5wrwuOdJ87WPd>u3bfd(3ge(Zc}FufA`2ZIpM}3EjkBFt5NoYaD2I@bQE9 z;+%?JaGbb*^x0g{LR7{+gs;}>u@cc|#QpAjn^!9gw?$1s2z4ky`=f9Kn$pq<_VCM`86XFaeaR!@ zeush-*z*{GQc0IQ2^hIzxD0fOUI2E-@92-PJ4ZMMYm{B!9s*a1JWBl+ul9oTjkg^b zNM-|Pv*K~rN{DX7Z4TDl$bE&jCck9vSOn)3=0!Xnf^s=_lVMG@5MHjazH9&{#G4t~KfCyJo@Noo<&`t_T~_(^rLV zhyl34sEIf#!Eyl-{PO8wSa?+zXs#b*rpMlctF_51fFcP+%N>@51Y%%nr=wtUtI0k{ zasq>%2`heA=4}Y+|tI^Dcf$MCtv%YpZr*qjx?DV99Q)i628I~kRI{M zCYJ4k<0eot>L6JVO?H%dJ2wDzO@@WdvntCd{=GdKXz8Wk>Zxti0mX416vw{T9NXjI z4l8EQ_yGxU!6{2IzxH1f z5W~U2(R!4WYJrBzWib#s2o!+mT>(K`9~1E$ToE|_BxP`C9Kg}_m48f?kr3fSDDub| znSova|2AJ??F!g{AR8|AX|Sh+_-%q7wxG3Z6C~Cu0Wv|;HrIl8ZW9pqX1bshWevb_ z2c+bc)^ZoL?mE!A=Sx%eu0_Q!;XfC@vF-mRd%?^VE?oJBa8kZ$@pRf{aN2)?!=9%p z7zR!|O1J={FckbW)iI9$xx)L5H5dc*Yfu>%R6d_Dsdb9k&HmgzDY;Me%qh<(mc(0{ z&~ND3H^PN?fU`$^7;`na@OnR>^8ahrfb<02^X4Deb5}@x(>V=RCTwOnYUld1BzI3n zvm`%2Fz|t1QF|j$TYn0-4BR>_gnKMD`Tgf=9`z8ZxvIFbGH_Az5N|55(3ICwZ z%Gcv>4}KwN7w$QdvwH*akRph{*V2r&!8EB}wfN5^@H;7ko_Xx9Y!=Dsh#;J*yH&V? z#rNP49XY*amL(333z+pa#-`%NGNdog>nbU|b13l$=hF%zsoB5m1f=%f^A+kK?D*Kc zMDd$6<*J1O?lqPmHfl`nI0)tTVxES+Me0T{E}F34gbu^)UvzyZQbF-|s0{-eP{Dt> znHq17su&+o1cc0q2n?hk^%kpjx=kh7n;5DRbZE2lA6t` zWfQ8##w-5CdVyOxKt4Y86Fx+Fp%;K#UmObpF!ch3ZhAA}kG&lA?^0u=w9~}!(cTMn zRk?t((1N4X5cKphIJ=Fnm=MaC3~*{`&MdhxU^q`K|Lak+AI@p+Ll_TY zGAO7<-wusssV2f&{$$R-V?z#pqh3N9RB;fWOU-r;G! zce6I_*wpNc$NC_46$v1iqU|mduo;#!>GBUQCt1|&0U1=SkSRD?Z6Ra|UR+`iy)jP0 zT|nay9{{;NNcUht#Z^aSQ@SH?H|u^0)SRjQd)3l0-iM~Z5LXm*p$9$+l@Wsgt`S8xGU*!$k9KXgA?ie+^WT30P$#;d)wk*K%&ti65UhFAis4!ytd zR4SUUkiYV;upz?sUcayWRoi1<<4iWPpzn0~b_UT37kNU^+1Dcb8m$Iat>)eO=A-1dICvRT60ys712Ci zATA)+3MDR3!h3*8*}?6zMU(Jc!J~AQ{|)$RNoI@PHnfHdrNdp~|9yIs0eN{%ee5!< z7^uF}x|@as1WIjk2L!jufe()dz#++N$zS$Easqi?aPak-6+nkKoIQhP8?L;i4<$fL z;3b!gIWD&sSk4bS61nCW9M`6&4hOY;(~d7wxuzt+C@)6>Fwg^Fura?ADzM;S)c*>V zyfWV@Ae4X7~Pl4)?-B{3V4&Oz|z{P|Bw($!(m@n;Z3vI zUF+S1?QMqDT%D8I-jzc%E{VFM{8zy1O=H`vcB&f)#hdL6D7D-fKzVDJdLuCN@Dg~vl7bCAC9c^iNA z5phL!ESjECTjI}E_qXM=XE1IbJaGRwxUuzrbz{Hd*1v>kBLJ+g=lnj!;2izCpYCUU zaMW|SjmDDB=s^f7CY5c6xhTbZlbJI6_tuly^i_H7WD2q<6pfz0 zIzR@%hC5wNHIlwbv3EV3H#rlW+>8oZVfAj{A8(>nc1;4fU^C=!eZOKlQS+^v;1H=(brQg znqZZGrpUhsnLxUlhY^&t9|(`2eluTe)EY(lsGCbCs(PRKofWM(aij#CEVQ{WLbML@ zTa+p;XBRB(ST#v?)2Y<#!^=R^e_@xtLkPcz!s=Frczk0~Z0Cc}V&BV`>$EzOUl6Ug6RX^U(#Hj>FaW{PC;rN)1JW2btfI%Ky_g3h1^rM@Z=XR$BSj zVQ{DbLU=ikU9mB1)Do0!S2~Tr;IfNW)oAtn7#to*%=tHkL_hb~B)vSoBU$Gs*|mSB z?)-qaJ?>5TH1_OsMj45#EkAAQY9`V^r01#qur>SMt{!KW!wCMw9CV zdoe5IBph1MsGa6y$i2x=<9v#pd(qG4ce$&R*s)tL0t~_ZmUqfwuY!60n`@j$yd5Gw`@-^*aRzs%p@WzC zgPPmqj@8O@-=mq@^{WfC*|AO3P~%@aGCTZ;JiJ%-V-F&AjJG}Yxf|4O%zz&nC|s|x zuP@Rd!9x@9sKq_6(Yn(VXr;p6II?w;**5!t7kRoAQHmvBxZ8!5)^m_!@oUl+oyHO^ zcI>M9Wd3G=(2^SWJ&=D9WlP&&CwOo?DNd*!dO*LgKJQiYRKL2M;CJFrcd)v2dZxz> z(Pci6&0RJ1QPq7FWh`=&wUWBONdH{#dTU1H!2_3vR>%=Z?bggoBD|X* zxvl*DJlXf&voi_&M~!kHe}SApl#M)~=IxUi>UcT1;W$e-`6ZQikFn0E4mAP# z8RgpS!xd4;Y{4z2IK65Q<5Y*{|kY{&!HK7$~^9hBXf>O;wWcP%L!+~VfL;l z%VzSEPO5WKC%9#i_~TrLHEx{MCuH_nm$iG59Cp^psMgBR5Ac+Rc=YXDLD#jaGdoYU;Ti3owXgSoY6$J1h(5GEHnc<_MiR1xb;uPB z!n8iNd*=qA(+UFF|FMxpFRK#`-@pz2oG>k^9f6yb{l47`K&&)r1Z8p_)8ZT-lF+<1F(Lnz`huF}*?TrxO+J`PLiQq`h8^{s`SQgdT3Tc7v3FVI=`VvmP12H66 z-NX{|G^PPN)<067&=OiymH~^fmY9oxO;S=N+ZM96r^pY83Q+ID{{*}DK)z*WQ==vMW=Ns>f^EKO1=&2UC>1>45oil?_eqCI=#ok^ zByP1_;+WlnN3pHFy*#1BUl{1HLp1oHTMXuL*s@08awT<4yzMAb>gxR)Rt9-DQ1-d_ z1%%>=F@>wqg{dyrfdZ>buw_&G0*H@cVe;yK!CZn;kTV;G!&8qAj;#EsoaV(UbOgB3u2s+;2K=R=@Q~g#iAeQW%cW=%>3o$^C9?r z$~^;+h26gXJMpI+PESbUbfiK?-4h-LvH?PIZNs46Y%{R!&!2RI?Rsuj;S%CNqvbWC zWf)RoH1Fi*^l~}E##>DjfsdCY{o^08Mtj?*RAX?xIW28Ypf;l<9=Vyml;*A1#r0o4 z^9g$@Aox2j_qQp4-XFuw{Q`Rb(A*j2PlPOx)CMI8D!QdS(Sw-IJ_yj1q~$_Pqy*zi zwLOxYVoD`HGl9N#JN+TUtWo#zZdVMhzp7MHiG!`A0Gr}?IDo?6<;j@^Tkx~&(!ZqP zQI(#beXdA27U&Kzp0sYLkR=jm&!0;wnHtwZ2@|BW zufYAGIYtwfcl~czo(pipP4|%S<0y3Ayp!GBgbsdNqXg)q$oN)4t;Zz?<3#PS()^1r(7?@zJT205z)EpptS0{J~igHqBGsInjPB-j%rK;dojIrh#at*za>6$4F>dJesnG<<7yF+?!~Tdm#0J6udyp#!b|8I<~~09bS9P;JkmQxyJQy(x=9&xuKd* z&h!JpD%(Ja?Qrks<(anfCk(UZHy`(l#rAc%O$*y++}DhHqm-jqf2v?iL`yCd`Bz}Q zSJZ|qQO=>|EADJ~HGnp}Bd9$_$*~RRz<_=hg}_r!$H5j>LVz zoj5MJ@8f4Ki~mf->!gr5E=ycV%7}_J6#8^};X4~v>~a&7o{sI@Y2)43ozjz8R)`fW zJL&$Vx@FL_Lx+w-gWth&0JQy}}_}!Mlf*k>rDKi;!1nIX?_h!X% z9MTtCh8z=E#vxiTccQN6Tcq&Fx%G%oNjh~AyDQAmZ%^}sZb!DL zmz(_jAfYDmLge9@$g&PHp_3V((o!3oP2kpY$3#q_3XB~^@6r-B46Q(|Cf}APoYoOhcxBP@Cj1Tt4Z?g4+iw@+h+Tb{Thn%vyABv{z~Aegj-1MyhV z+op7^x;&xUTQD?MUDQDvr4gze0n+A-bOXH*rtUp`=d6{`+5p0azu4@itlDNS4=#^k zPk{prgPAZHg~*f68NgtT-@&c;y)Ol{ObF^~CR|!J)%OxG{JGXTAJKod3LWWc&}Zk; zysIEeM{qZ;?6nyY^#^6M{`MP$13sze;LZ9y{(5$Uvunk;@<2V9+{0$qf<_0?G z;c~QrP%&PI9ZTwtbps{r{MR_;xBU@tq}4UPgNaYDMQgfn)Bo)*qrnL@s=MJl^qgpZ zM7FAN7Bx6Cr?FMD{u=20wmSk<1qO>g@96!-lDKHJi2?!oYkk8WEd@vY!T6Eh4+`v& zu+(gRPIk(=8m%ioqR#ZG5>fq@KrvmzI~ctEAQ@I3JtkkMDD<57~%xW11M{k z|21jln-CTPaPGAdf~ND21%7{w`*NGCXh>4GuU`MNH>~g9H}CqJR^=@zx;(r9`h7yx z<=5llcF^4*cF~=00y0Q!*lja!G8BNui5CV?dP6Bh_@!x6{t~nQHu3@2F@Y@!xrWOV za($u5C4DJc-gI~ERcJnq=G;sQ{9`oeBYkDvpMEXBgTzNY-Amv0lR!JKD*7FoDCF`R zM_TG2;N*cOlzi*f(iB)DGEBL3=c`qKOI&pE5&$ z3$sDu&@QB(m1lgL{)C)OrSIuP7O#s&n6$p`nhemgC~f?3Bs9hg@67}EhDmRm0KODx z@jq9Dew#IbQjwDo0{91z{aTLpMyS7ur9;K&H#nC6wOad(mHkq^?B8Y#U}l2JMC?x7 z0(W21S1Q{o(bkPuDWks0Frvufe~Hr2;Wl6Dcy?Eljd%0&I)b#i={vMEnzC<|x!As= zXeaCslB|`wv<9AvAufaqQ{J#uWKE_MD(# z#OH``G1XxKMY(#8ATNvN-}iBKW5pUFXTO88fxR86dVYj!@x0egr^kBx^oX!wuK3O! z?1cLb*yPqiNz&!*2fS;k*+p}yrZ0{CxQ^oVqT>`&7Wb(#xlXO@!3zHa%_u-G@Eq-( zfM!2pc`Yud9KH8^8balJb1oS&?svsYJoU7x=u8{O81K_tGa6sz z>3xCN`wB}=e_KQrJ?27CvB{E~#)ZfSld1S-sCQn|SfvB)DiI0m5uH-!^7@g9L6YC2u zoi=^wAx4OT*0{>YO?ibH-STLM)(6YhcRv+*iPmwt;>8DQg+tt+lE2v{YaO)=yh$CJq%w2*Cjp2`p$gL?~~qrpEa za4vE1v%Fgvu~>1zy?m{-4mJ2AL{r0sG}-*o6R1;tZD{Uh@J z5Ycdj%;pH;1k!ucNbX>it4)^F(F{L}fU`(W1;(`aGQcRZ*EJE6PPDn0TPf zBf9gUW9qx(=6Jz7Mp=vS*BIQ)*Qwb~SoVdsJ6_eZ1k2)*hTTeORAOigit}*DNxJ~b zg?0hCwK1+@7vqCNPh)E^aq$a?xlXS_<7CfcFgPBLXexx5ZZb;^JA&ac{}OV$cAsfq zOj?3J@D*3?9jrSzJ2ORKM@l?s0OR;@@?+#hlA2DYI3!_}1)S z0-L91ZTWGCk&&iJDmq*WUvuj{YUsowUBxP^G8cNWcj)x92gu z)l7)tMEKH+VT?CGs8>{ zy@HK;UOiiomnI}{xYLx!Im5VQBIvZ%ztPeQ6#XWRzZxqANYRwGFW6o2F={0g;gy23 zUpkr%%_E+HE3(I6K{;R#-vt^H+7X83(8~}b*KVx^haJGEOL`s6cSL*DEsTp#5|&7OKC-MP7Ef*@3n|bF1e#(! z2nqHY=beeniEeWpiNV#++cO(r`9m~`#WsM_8k3;ymv$TrcOW(-2w=k8(7sa?p>8zE zhfq`BBG7c3Y$s39n5Fbe3{ihU%kh}LRW`(jr5+5PP2i&zR)2>((HB*K>524 z_-LK}E>_Sq1_mwk_Y6z5KpVuwQHB!Gs)+4IXp??)LQ%dKfQw6OeAxrN0E#x=ZyABZ z;G&-sJV0pHqD3;OB}$w)(!1Hli`WQ}OEegvhPs_OfV=POfN$dcD!WJ<>KXk$;h~y- zcUP4o+qNtoi<~`py8-egiq_6z!p|M{oFQBa2k42mbu=&Yl62NhwHWBE3k}i-I*UL| zvA-=3>MQ$xDV-i>`#@-Ai&g-o$oIv<(Ef#>_{;&e-{V12iaP{&(7-tgJ_>e$|Na3& zpq7w6GaoXh%cmfaR3~{gajReT6;T_OF+c3u`O1GbRN(Ll?Q_st!S%}9Ozf7}8cz5kA`x5@m&Sy)#S1pfd(vrJmCQ}>v#D0nQbp5;q zE6ly$_oxu&s+~~JxqEHo3CfNF6aS3m-tQlcls=qlC0Dzw5PoWn3Sq0Z0?t5r%M!_d zB)_uLKVIC`cFHy}ZE4T}rsc-A(y8?!A=SPo)Nx~uslYU^Nk@VEQ_ajiYG$GZUs|i> zWuG$pZ89v{=*k+xFu9iLvN2A*b35t#6+TRYx8mu>FKc`6_b-AO~cz#;ouJip54^39U-Ozvs z$JlkV7keM_DOHvHNBS%9J;jjENoJmvHZ>3<}@0^hr? z5+Ea|xlK`%KJ!;inSiNkX5Om~bDE6NXEWD@9g=|)4wor;de`NG7#0k>790?}XO4@V zt*yp|?ElByo5w@lum9tBcin}GBDp0?3lf>4NR~+|*^`hkvhOCcZ_`~QOH@MkvLyQ& zVVF|cmy&%j$(D5(%V3Q8T_bg$b3UJQKIeOWpU>l*e|k)BW9I$7Uf1=!*5@THM1$MB z>vqmE?}JEwH8|^(&kCb_509+NkK^Aczay~@I_~K={G(PG1zz%3soZ&dLHEGruUmGZ zm}2?-qN+$Cw@&(TsId%O5SIrP3*wY_7ZT`u=Vk}Gxo_j**YlvPvT$L`zz1_UTT&kX z`hULv3SE&8?z;WU7LiSU9Mzk)@I5qxr&em_@d=<`69^Kg%QJ=T%bCde9jzG9fB}Bm ziHFxg-wF&YR5_#0FbQLaSPI+p4`QEq-uuS8<*@?YSW5p_j0Fry{J^i97|y<7J?n0~ zAJk7t02FIz@{=3=+Kr^s>#BGLEJCS;j|#WE3q|7He9_$_FQcH~*8zUay+G^0na5AB ze$r%kA_E#*^@0KJPG)fb&Yw1VGTh|iE>w^bd4`*7;6fo-G8pd3@YB10O4bpq=CzC+ zKQ{@>2ci2%R#iwzR42Zfqc3J7cGccK6^^8^oJG{XDJ<;zAZ%22!6ovk>wD zTWmLuEszb)dIN!?z+@WUMQ+>?U0ifMxDSHbl?Sr;ooT&s zu{uCwtN0}v+^t{KYRzrE0dv=g6R07Qkg1j;r^GYcHN|9eCHj4h&3}|)I2;5|XZ+cJ z=E}7M$IyE}jWI^)#32U6hZL`+P{0vAFj=tB7^OIdpJ?-%j)FYJej6yWVbJHc{JQJ* zZNRsx^}A68t*YxzCep9HIq$fxht9tm)I3g*Ut!tAz=s_|Zf#^ju;^$<#`|66TUZsK`H5DB!8ZWVyV$5kr8X45V2ugUXCt=p{d zztLtdOW41lyNN4cwXy$!_jg0bJ=*7{f7EPxGMx8+9-@4EHX|nLvInfiIMP$aFX~Fm zF6!O0PN1B7By>UfhB-&AK)b(t(4^=+;&*1QsFno~yWrxf4Nv+$5Zv#Er)vN_9yV6l zFbKL2qr2ww04WUDK$+L^qYkv@ah&W5GyR(C9?NwE6nx_%GRB!g1Jnj3Gks>aa;h-1 zp5;jcyVhoT`$JYch3AIG7KAGn6!2~ldV|fg z9o=7&9uVtWjAGcXW604_ZS_lir9{)^`Z%w16m~^-sr)%jr@AkW&pY$I`VB-13BK)K z({^mf3o8i7E}ZW5Qx4;@uEo!M&_y9jjor36r__R-v*q3EBIDob@{X>(dRo=++JQPm z8Wi-ub6(zi&ZQi|B}yr$B16Sq0A?4$|ZL}uCdPjh_C z^Or>y?GK$dbCoP+3 zF_gRBlHkgi!Tmp;@}0=$jvXGiv?zbjs$3H1nc$4>7C3fgp9V(^E+1pO*1?PqCHAVI z`mr7Qfav*jo&47^yZ%L!H+bSCh!nUJ&(!B_GMq#1JEjr?iff%Zn%|z=z}xRFzwgPI z(%A^@2ou5O0(rimH(SLw%>|_q!>bifUM<(w(GHA%DErdhQd{@_+5H23oQ&jrS4q6@ zA4LwVqJ(9XM$QSpC5GqluW72DJ`jV9_xq6tH`M<49le*hON z^FiP8ErT^S<%izbmBi9_edy(}Wvb>&T zIrNuH%XgL$gk!4v^NHQF7q`ZiFE)KtsM(DYAoCpDPS78&Ky`Voh#tEh95LjrpV%=q zyzp@1VIR_F|FwZs`|yzh{H3_cDXT+xlt)#Xw|4rqEB;YjM((Qp45b}iEd+AYQbDgz zY*TyOsRkeI^xvz3g9V}}*{7>iy1Y6TzYg(ieqV3)p=%e)Mt#9nV^zM`-=GFmUSlJ| z`4>Vy^UoGdIT>QKBfe4)k7}GaaBMe9Sy)rYz0|Z@ykGs)iC^EzTB^-;?Dji*_6-w) z5VZ7Rc0zr1^f5asM}PIwj9A;?>m2GXSf1I%Xy>My5VO}Y@%n)Iz1@jb#a!wub}2Jg z8X2D&`_%J0V0^mN>q+*D95vY=wL>6|)OuB=(q^V79o@lnqLTjq{HlgIeJbt+nw(%I zU$@8O=R zbkg(YagyVWmj;Htw)37O1sW9;g@=s>WSN+UaW5oHwP7PxZN5fLI`qRAng+6RgZL0! zrAztJA95zY;R}53)v%+I4hQXyZ)7@gF>>BMxqSZ7sDh4R5k>LAW?}5SO}qN!QLf6S zdhRG5@wd7WLHye8%T2Az&&j3=JuVU2<;4fFeinV%c}52bIGaG3GT&%@$God{1H-I^ zWtvaTJU)HQcT&d<^!t9;c@Wzc$5*A&^c0dZ6df)8-!sKajEIO~SN|x-^yIvsp_8>a z1nWhlNALUjux&E7l9fxZvAe`d9a5J47o#L{8D+l#-kW7TatzA8Rhf-8uZFU&Pc z=mE@&m)pGEOlr;{yZD3GbzkjRV5=fCN`T zBMn5?GjdE6bIw>bY4sz zhK*8;8OLO)a*I{#MriFA;1^VFmp*{Kn*7oi0)Yp21nEf@JxXO}W`dx+3S9GH5o2eL zUw2*J^3}H{m-!OJ?6=<-3%qfeJid9<8Q$|20{5Y?BD%U$9pI^@HWKUaA-g=|06(AOx7`E7yMhf8;1`wu@yVX;B`!T@ zfL!faF;oFEr*_=*g$ziPo?b9Us>Lqf&`$l^(7i~^4<2Lrk_j4+AmJ1o%8tLyQAZ69m^rKkeu?+xs&4uBAE0AHCSgrIf2PH3Xin zVgbN$JLE|8U~Bi2U8rAK19*0$nDc9gIRV+}S;;@B9K5H7@&?h*%_bIV2R+Tdj6#O_ z6;jc<#2el7wide4{HP%U!VL2B69UN)>st>q{-wf#z~Ec{YoPbU2GrDYE8I0>@OvsN z=fH*V3maJ{K_nh=tFtm)Sk>%Oc}{^%r%pH8x3Rk90QU7&dLs3|d@2i)oX+R} zA&&-=Ww}7FhrLpROxoV^_8gRz9O(wD@sR;hm>DvAFiPXE@~poBv;TM9pcfnu6CfZ- z++P(uLQfdZU)YEf|3N8&Z`y73vL6)3F5{sX(eAqSG!*A{MbT4-En33Z-v=*<;&y?A zL+Y&PnBwubm~!vGs|Kd-1Mx)DMO1ar5qBO+CT1JOPkITWP7=yYf>3NMrALpN^g7Bm zxcm>i`h5yFau1Xu7}_MDl=CWnQ!`}!@1Z>K82Prqy3j&b`w8zuVS3*052cd;z43ML zuE2mujR-ruxOE_PL=Wn%jsIP}HRUQ4D9(t}&-DlBiELzJ^t)RIy;vOrF>=tQdlaNP z_CKUyj<~^qgHZYTqX(cmt62QaGL)BJL!w3!ye8q(p`abXKJ2voXT9@@PQrhhhUVGz zG6BPUq z1z9QNoT$!?Z&(n|&B`$avhpRVJVn=Q1aydSB3J`rjlVKxK9N+x1dJY9)LaZ3xd+Ja8q+7@4@S49qeM_=K0A}O!3Jl(Qa z@w$k|yWa(DRolLDf9A^NxO^6fuDFaVkN~Gm0l)kQh~@2FVeFHJkn{xw_tLd$+T(WH zj)pdbkGi^?wezV`5{aplMCoh@;Pnw9ER%EVZzr$lbehXW<7PaT2}s$8Ht4W$`|`0! zyjEse@0t-(E$}#*y0F`0GH}^xLE9)w&f-IqV4|na+B}A(?&YI*!>!gFX3_@z5N3HK z3o9%5MJ3(H*4=i&J>8=WJc2kxl>endEz}NX(7XeL#kx0;!Y@`8ED#JfK{p{fN>_rv zKtd?m^c$F5U=UnBLpP|upHlqez*Afpdo_~xB}Y|5P9JYAJE0u4@1zwUZgpAJy7hIw z!gMZ+tU#EIghurPDbx!?=LD@N6oX$x3w18qsUuBYEte#Rn@FIT4ctQ1lXG6Ht}IOP zOZKno>n$&qJI!HMFU$28>gFVPgrBtSxav^0Mrln6#0wHP&Fwgd9b(M6)C8S{EyXa-1)qx1Eck+(LQMIq$ccl0oqE0P(}&9c z?He-1KDNVYaDkw;ApfO@%U8&@)1D!y*;MjSr8iBQ_ChDjV|KXHY#QrdU{6u!6k9s7 z{I%4wp*JnzQNY@oUz{iDbm>emZE}Cw@4rDS`SMPr#Rcuu{hA$o&fEN=E}y(QbP3{L z#mm;^2e2t`PcQBH+XRUog#ELDxR5r~|1*^LJ&71&?sS4sO^`11e>E-}104$TEU0Se z^=PTBAj^uRss4UQtC^OSRE#G0F0TwDA76a1uRa%Ds@}fsk8;}5?JRGKVWF}Li_~(; zr`8Pf?Rv8vM@xxs6+iHpz5$;sOfy~KfE(%@FaNxQC(EIJ zzI&@9g~rRAg1Ab}?KD7f?L;#H%?bl1EuKw{BV6l&v6mehLDLK4X9wMUv}o%Ry-|2;G7k*?k~z`EAcm|CbUG!96;F5h7ljddo`%UQe768 z2>VWGRy$AICVG|_G!yNu?qKw(F{_Rr=K9Aw)M5hTFY(MY^jh}?NDpOL^3?9ojY6Lu zD{RH7)qGqec(1gO*7{j8$r_l)a+|~_SKqExc47v%hXqgJ`owC8j~>L-du+bAwMl!; zH-AV;Z>b;OzA&b7&+Xd*0=LIS&r7e|j;bB#T(e|D2`uhEtdXPt$YbehsouMbt%cgs z9=0_W=!y#8Vs(n@B|@G0wVqPq;5gaKGv3F6vd}b;W_~ZTL2j)*Vx*3SUCWXo<2ql%j0y0m)vja0!4ef*lhZQH_5^K<2hxI1Xmhc;4aagDU3yYDrsd{X^9^n_ z8F}L8M^D+KZ_P$XkyCi9JmfkI(qbfKoVk?~Zx(yecswvI0rb*Oyo9{5b4?{_RR@VE z*J%5FqIdODsYeyZ9R+RV*5wjYA{4@PYs3>nCR#OOPMv8ZKI>n^1b8$NxQ8oq?|3#4 zBeExks-t*W&W)c?c25_gHQuGoFJtakAZP89o0iH+esz@@S10q^(Y4$Sdp#$(B(1FE z3VRxY9+D>m`&Jsn50GsZZ|f%BjNIQ>ssAdR!@xIsis)`?{LQ7YUos2oepyex z;45XEN&kLBS+p>q=7j@pf=A8VSZxLNzn#y5IFUP=V>R@Q1{)a}BB z)FPRrK<{G0{Wj{gYm_fb@@scUmGw@gX3d83nz9!InRhmYG48O!D?wR0rKkIi^@#XN zfvJY$cxy{y12yt<*Pd3qWkB0lkRNe0%AW0lZbnQGB|CD;Y*?K}?HKA;7-}^Y zNMW8DBzL++*3z=QyS>I2o37WR)p5_tnma4YT4m}QX?+bGb?-7GUl6ZQd;8HYClUv< z8_E0LM*7k|R$(pEo|5fWB7N5g6_uAqvdM(I%+{T!Tx7d>ou-;2Guavm@`!t@+-5{0 z%l)IYxF&Dvm`_Q|XG)@;Wy7oXwZRI?@S3*D(5HnpuR+mcp-(CmU5}HWtt8YfdZCwn z=iFY?h}!y?hV)S-a-{t^Bbx5WTCTTQ=m1`H-x;0eF-aNi;XyLKljABaPkCi2e0ZN7$Go)243#T$+v52~nNRmaA-Hd`-usal<`vb;xVw0#g$Vb|^zr94zgS-# zq4~N*SyNsm3toyH38=K4=RO>d%a!{wnpv3d-J{5a7@<1XjA>IF z@fiu{4U^K}`buh^s$)T!*eiRGyU9m4FEtD!U0qdaT0lu`HGL*iv6lTTeXgrq+iQ7j zspa$ueTHV7^Mq%q>+B&w$@A1~J6hr=*`962^ zM1X8m1+T5$$oV3Ng*qIDyLoO~t`zmr+%2jqFH3Ywsqd5Kg+tMM_E?Zrhni!>dqHf?75r-mvB4D z%nAda_RdsOiYsX{DQYObeIiAJ$m8_2>rrd#rIY^s1&oL^ms4zh7t7fE#3;MGcgJ(G z)Em=2?rj^zuQi1AMXc0NzMLKlOC;XHs!lG}A%EFBvHEt|rWGSSR;w<@gjXN86KJtt z)JWLQhO%+;C3xJjMhi-zq-efIb5|!RH3|H(*NYZ9qF6CT+irPKD_!NYBziFD0i&iZ zjoI=XaW$W~S8C^oxvnN-{;C7152-j}U(`_DgEdB7<0_S#Ys1o#_1Wk~6=KGmOzaG4 zDp|vAk%g%=1V_M18AUo6@t$<#DP%+#aXLTV-`S7ktmZiqH76~oD%|LSE?sqLdR$cd zJnfGe)*0!mb9IF~d5MoFP|IExugmr`z~7m|%(U8dR}z!Qsh<;5w!?+HRG(a05~f$k z)hQ4yolCqV)$TpLMc;yQWWd}iHixwEJZJS$x7=xmnWwfi_+HJ6j@v2pANr`{UwKo-LJgRaBt^Vn@=D5Cvac zE2ZVPKeRj6+@w<1n)GNv_X1>}c z_K!BMDl#I9TX-XgY|?stC5Fe{i@X7&= zhKlf5jdP!Qn95S`)*E}LyF10Gl#gE;A?mRS4wDOu1zNoHls4+Qr zLxo7gh{hg5*I)@upbd$>f$Dj$28Q6xw4xPB#Og1x9L~afDBAkI~PCrCuI+$7$vo*D_19J+BlkVC;0;Tpso}=_(fAx7TK5J0fP; zLgpGf+1~r)_En3KTYAG5u^6$M^PbVOgB<3YFJduH7+P1Ie{|LMRi{yokkWa@rMCz= z0FSO1E={-{*X&i#TXhek5oYhoyur<^ZZ2MYG{M`6o1cBS97i@Al35w?V1@)us^#C_tngv6uSndbPzN#pa@*HwxCEhHiYlL$ zEnU2)-&B9BZ+M%ok3#z>YhF#s=<@jd_F=!luvv-a&otS?8gdI+-YboP=`=`t3+=kg zvONj(0$gJzt*`6F&P-E(cN1im@5(sRtWR;xNG`6;=f3yCYsN=u1r0(M?B61y{iedv zfIq`n-$R)g>#}R3EGP}N6_CGF>BKM5xKGG#K2`Vhy5+laX~>aQIY7z5N0zZhZ428G zsqc|gmu)Qoyl*QjYkI7B`LSjcMap-eB~Nh-Gaj;DDn35If0{Odm#l5dZCW^`_Q7d4 zDl0v)bXaU{ZDJv9D1uB4p8&`&SuugT%TDOUb3hUc~Ld18lqOh9)JGqn|-p-=gEv% z<7ySLBuq;7w9EL3!U`>GrqV@Z>m!WXw#5uZ!eh(V5Wzxn68_f_?>hB-}2S z=9Vk^q^7gtQMZWpw1a>r-YB~GaR9oZ7@%1F;!t-%Pv=z__6(t^=y%rJqh+S-ZSMlg zcF0*h-9T0IJIgzac9A$yAPTKQ9a8wG>)uT3Sem7mYNJ_;@B(X(BwQ&hs76G|a`Neh zf%dB{Tk@=yjq*IwE%C1n8Yx@tJFymFJ?RLtsc1w@<0=}E9w2@((qR8meKJb1o^$z0O?z$Q&$t7|YYkUZ}t;r@v@?Q4`{M6$YkHB86dnqN&@ zhQXWCjWc6M{pu?p+gOvgYR-mIpO~#X&0xzLCpfq2y6_C6zm)duIz33&aUUa;C1)|{ zb-(*3fb$SGuC;0P;M!Ii;w#=1BvTX3_(tWNz%Te>&A~To*}Z+LXMF|DNZw^LUkAx0 zuX5||5-UwKl8aRbK6J`eXj-f#`*C>T%!%T*2LYyOIqbpbeoF?=B4ntRBXMu^sIt3M z$9-nP>1y_-&0C{$k@vTSjZs-l#=>5;_pg~;fiZ~`QL6cX0M6UY$Oz^Ex+Z8H;+SS7 z_t{st!6wUd$Z$9VK`vvLwHGsvyZEso$1_*&QMv7n3N_r703ETUr&*12z7tHhaHqO@ z(dG_smjYQ))o#=1p_Cbe3jpjiUC}b+D<+eXQhO<|AR~k<`%2{mT4$GM%j(SwT}%i# z2crLbHvAb4J`pmCqX>ru+UfHE$w`|`hs@^mCSV$*(ZQHD z^HgK4wMBsaD!CgH$fnJtbAa)clc`4`$yj1@7a0b;9>E z<=yfGan$H0_goX#_G*SsM2-<1fSsr>ah)vEJjw@XZ{1caC$1GwM4?qX)2?+F=@n)k zZAu9TShVxO#Cp?eBva2nHtO@vei9KORhl48fA#yyeLt$h>_5Gt^KKHO&z}$65&Rh{iDqWK`5JK<#a8Q zj#lN)y7vbtO&W#gkdfR@*CI{&gkmv0ttu1>>&tSEZ9($;$OA&XpWb;=Wl$e=HQLukjP%tfg*)PNZeu5^2NF0 z2V8L#xoc8R(^*67*`vF1Wl6E)ecZ?L5Evo1ZrV-I6RiAs55 zS8@GVq}v-QAKUS%M}>v02_{kL$$CTmz9tD;x)WEp54MZM-I*^@2Y8Ewe)TXrY;;@NVl) zvm5wkQndtbX^0KgsR6_Ld+{(5D+xFTr$!kcGdT{4c+jvd%CfN{h{r z>pwWl_wQ4tv7$(rsInF5 zustq}ZOjp?4mOZ8w;SL8ZmaXLj#A~XuXVj?p53n|HqSEhBP*vZy7L?hR~w>QB!8`E zKw}yj8iu8juMcRGlZifBJwY5y$h3z zw8flMD07}ZLUUiWF2yV+w^Kc)7T8HDhu*|dq6>!_>(WlwgzBGl4^+vsnA(l9sSd87 zLjT@C6y}TfZgi{;IRM*(ZGDpLgE{m%Nk`7ZXwR-aEZm3iTU3RS`a*AECdcZiCR^eZ z69R^(=&i1RV;|TvIQJ?5SmD`ZTC)EuiQdGiUAzsDb`f6?OkG9zjA_HGnR6I|)^kMg0A8#K@> zudpS?TFN&0nR%04rNXbqgMYg@ROkp}O&`^b9X!X<~$~k$%Es9lI>(gr#e1-(%sj z3r@Gk7ju)|*d4{Vk(?_LwwEJH|N1zo*F z{t5Mhw|$?R1MLDUJ+!V|^mz;un4emuPcHq_!#{tAgYhP7MvU@>2{EXpn9fqAayv64 zL%FyTXL!BXPP8fZ)b^@oQx6Z1jNUwB1wo!Y^$o&9RC|1?0>!m8Z(z6l>*_F_Gd)Ef zna(gx4R|31JUq&_eKlPE1kay+{SJ~W;AdD|Pzv{VZib32*)8Yrl*xAZO2 z1p!Z|c=?<=huF;$7^oh5BwyFLP7@Z2+*2i?)1Yvf_uFfuS#>su| z9{l6c*juuM`%>+oZ7AiSh1TsNO~}mG7j!AB;Mi zYUqj11;NZtpvp)4Fp%C^c$O{veo?p28^hSBLFi9y3u31a_Q2HUKRwv<_h_gZFw%3H zPy7Xa*7pP_47M?&VPK3IK`ir>@Z*py{P~rCA3y)^75o`YjBU$2DqL^AK7P4_>*Fa} z@~46n7oOLL>tsKoW)=1ESmvWx1+?W5IwoB(*`-hLL-ik3l)Yh@&H88N@OM zJRs1pXMQuR505m`fsPIX>m)O!e3-!XrO&3pIJ5;TsP8A|e=QEVygubfpCI|`fpjN# zalijS7+9Yh_K!*jYz7tsbFhyMzx>--|2GiVg>!8-Zhlx zBBP%vV648oV4A&A{J)zS?Rij4eNE@ zw6D;u8kK#Y(yw5q8YS0%hRfTnQ(_EXR#D=MPY8RjK6I@5-prL984JXxA0X*V zSu1gKVEk=mErG@SO74N@3vQLOajVq$PV7R(^;hBP3N`K%b~n2z#JWjs6@`f!mnp#( zd+!>30#07JHf94ZFiS9OjiG%%eN8x*kem0p=t%4Sp}TM z-7T;YlDqgrDeSGWmnOaiRz{+gGeY2W}~Yb9zBSymkgC|GJc54 zBX5IQjH9wcG8mI7r@0a*6~Rc<(p2kjCd6DHe7fw``oO+-M58G}muBbP^|=VyJaq61 zwty0L!qjZG+RaA|>M#`r?HGgwm#PFNphd5+7vHf}(OGOtVR~3u+uho-lDO14AQ({j zBCMf_u+Q+_Ef+HB!t=z4Mc;|LR4?-y6pgBL#h-)XreApP!MW%U%UC8^t41aW2+u-5 z$gk`k-DUf*izr$p;pJ0AeqCvQ8Q)wma(C)E`OczOv*5v;T(<OZ*1W_pB>(JMRq#}O=g697vA-%-+U<>_)7mr5=dw^Xn;aTAW|8z(@c_KB&hgSHQ>ujlv9^`N%ltKY;BY8EAxP%7cMjc8?z~Z*ebyr5Qz@;cP~^Ly!x_9@~O_5)S6$!11-(34}H|~i&7A|W2v)7=O5om z@(hVN8+Ubp&TTCixEo)PR)sJ=UtzJ`D$Aoql*yyT0?I-#wnYl&*ErfN|7A(NVrcl7 z?cJog(;2sTJ&fmUK>hB=JT#20YOoPEo~d6Zr@6IzI0(K$vWv~;Bu8JRO?*b&T+CJ4 zH1Hu+JIX(*bT?VQL?h;)eXN9=aZ1EEG>(58v`{?B6fffCiZdPh`h2jJp;Uub^z}E7 z8^f%U?s;wftJ%HJvQ&%j^}1x*?)cm+d2ZlQzbT#%$e`6IGD6nk4wtHM zH}T}88&_p^MQNqPadzXl z_b)>2J#+iHHPow}FuZ0bCrl+A>ZWi~I4cK|4f|o)jC=mBb(%~jq?I=8NI{@_nE=%* zkn!ONC|Ne!jU@N%wA;*36gvU@w%{L^feeQH?K}JQI8N021D&0;!C*8$;m;wxsYd<1 zPzS)UNWseMZh;#;MiNE1o3*a)412WPmq)P3hU$lmn;iW)gj**i!Vh@s8w{97>_!0t zJmZsqi$8~7)c779WMIsDQ^6Z+0w#B)t5i-^-;qhrt!fwva}759@MgUZ8+ydDo;<%K)h-B~H=qrZP3RX@1H=}lG!mw+Y&k6$&(foe@Q z2VF1JmAKk<>{L6PGt=6bwf0KR>>R8Ix(Ma=Yo8`s7!XW7{1(3r=25bP?}bL(TG^>< zf9FkhZe#fJfh%uLjBGQEw8!%S>Ei8lvuPWpej42Q7iD(10|7_>D2HP`emN)iE4q&X zZ}p^zEz~t$1hdjfG>>7Q%azu#=eIz{dx0IP_lxGvP4rbQ0zpyULErdbA&oz9??i6D zy!Xo%mZ*b~69fGa89M?v(%DRbL07Np z1VtRFD&82wG8gc(s=9?oyDri)ZWPNuu?wF0dLgDhqA40(o=3Ba?zMbb zWYy87%gu?mtn_+H`bJbB2gW??qZ75eiVLy%_Q@qwYm3w;8$9ho-HM}R5u?fM5@9Ul zNLCk}CxvqD3`e(qR)!L`Ysvad+}h$glUFiZT{?zx(q=!rG0V>SCs(lFsPdS8j{3J= zeN->Dy7Q`CpLTNdOh-3Z-NjoQlW5K#-a>R0JaWE}wO;&y@bfNN%TQ^3*hbZ4|3oKd zcHYN?Ca`Fqws=x_B-^WjJ`r|$;FgK*%bj?TC(uV>q1APpX|>!_Hck#-^oty+$ zgWRrsrFw0ic@kAZ)CVuS?2=^)3f*&m=vhQz}_6Ld3?X z@_V2EFI)Bi>5GXGsH1$waAYJ6XgNg}KA3SjYeBc9J#4M4FsjT1XHmBpJeUPs0d`of z@wN4D3JvCL+|_OqmIAZbWUiRnkBf%p9j|X;T_j%Ds$Ql+gXA1U4+bZ@b=nGXu9yY! z!oG{vso@V)kJBn5tRE?8P)f#*WX(9;5Acb!|5X42Q(=923E0zXR41S8X&h@lop|y>kAyvsD~#0d5X+i*yy^X(LZv+*pF)UPU~0s>ra!DN=x*xv ztznTZJg2IFijUJfV>FWE^I0E?3m;hb75z!BcH@PHX^EP}urwjkURwY-b5n{fav}{S z6!Q;uWPMQ1(RfP(kz@N#ePX{53WoazE`4W3l+u?A`Lj~!^?GGkzI0Vw0SBgK0GqF5 zbgxWq1A96O5>AcbT={Ji!w|fMU-yb9Zav@lL9epW8@Qm5Aq-`rc%==+Pj3P(QQ`gT zC_c)*^(4q9OMCD|YrdX}hh-DPE&&=H@>@^#HK$jX{?@<(qH1evy9^|7N5+}0g$yy8rD6_56 z?e!f`wXGK;d2b3cM+z+P9HbArWEaZ&ad4=?G;E5o-sbL^PogDXZ;Tb8?wUbN0>QIP zYRy>>&k79xGdaa#4$3>EF;|t!@0?%h+L{D~j`MTR_x`%;h&`ZGYCNweh}BFGwz5rz zbZuV0Y*3>tjhtuxbyuxANLV^KPZmnf1y$Q&7-Ca~3cyLc+CP?T0X@9~1~eq>-P0v| zE6K&HCUxPk!=iRJzHv+Av1PS4AlqxOGvJR##_03bf;W1+-ukc)mpumId2 z8y16H1%7N>DoJpy+#;<0?Ydu-s=#6yX6yu;*t_;&if*L{ImbP}EN(5OVz*8#C#MrN zK>G8$_7-~3brtF1)W=jh)t;8wFs1=yfx1K_HDdm@8M%0AkD$v0V!LD(sTfLP*97K&=iA;v(M>Ayf(YPRg2AZKFqrS$VfresXKf(M z@2kT2c3l8T1u?q-__H#AwleA^g~4k&9%wqhq_6N>-!~@0IWYYEE?trvB{JuP0<|}7 z$DG2tjJjXpin)r_re(WSCFW_S+0+lSFwnoZqv$2<14#OsJ^L1{-fSJT=v(;yx`iGZ1nY`>Ut477d+fH%Fh zP8#o6fX#>1&Qrp{l9dyX6)IJ1ZD6ydCP`HV^WvAodJnj2^AKE(X`j~HzMr!4bI*ub z=(5E8mG`vLIpArEzlf&%#g>zw-V+V$0_aqaS5=SD0fiLqLmVvBA!#-vYN8I7k0s0C zYo-{Rw|>JP^-SGmqY7y1`On1T*7Xul>dgoAkonV@@)n%ofF}!K|It7Az71hJ<-3il zG*yhf8sRx*$A#8e@sKb}O-#nSg|kabD0$RU_X2ci19Y4VBRzt>uYF&M zdATb=&N`^bzNfeIBs*viXe>OfQ0(~=Nm?2n<_%~1KAykmHg>25eSHcJ=Ey9#KhU!8 z+=xxgYznjh^ zCxGY&^SeJf7~hv_Hb_`|dYAZ)=-LuK?Nl?fqU4C#_DTVE8<^>sEv@@_B5*{kJMuKG zeDaUFPE)Q`ij5|Ge5Xk7Id*NBJKb?Y4HQBMF=JTs5pe8+52}0RW&5Lx&L^wtb#Qqm z_=DJMOw+EAN0VkUQXOV)q<21=x{`TlvWt>mvUcZf@^GQz1Bj}=pd*{3N)HHYAHe#V z%<0hAi~w#x&FU{UXs$0jI4cT)jnnh@a-b3EkW~n^H-1DwyrTsnP@uh@stoP( zbc=hw>#cV1=n+r)bLm8FZS9C{u$OO8>lJj&+r4(Dv%zOM?<@R{fY3H*4w8Kbmi*cd z!n5yvzwfp8Zh;0!Ea{9xp5iA{zT3eD>BmX0`ffzT?;>GQ40K={dn9dznnJCPOdxy5 zboPt*R5J*1>^s442WnDx@`!La60;)gkhcYTjBAGh=%7CT7i&1zYu!WV0LnR(CpWK0 z8?YX&X$SSrFI${opWm#3Qa&#%Ajp6P1Q9kC-#7qSgdvkRP#UAw(}y~aLZ>%8{VqND zXoF2!F2TJ}&@L@BX}JmZAjT&F2<>6o8qVc*CCrY`dh zc88=9Rj6ulyVcn>rlc+>Tqj4;2U#4eMpMue%+G=DE4uIJvHbrz{}B4jt-1McV2@g( z2Vqk~D&)xHdrK9;Tz;l-KV`k{y({d(&B3QztY58n1xH8U`SD{-*~YdNh#`NzXJh+r zI1Etl^^#@8`_50kEAXaVM8jIXYO(YZy$6ge4Yq!4dS;>=NQxD8dTHacir%J*iBxjp`<$aN- z9`59wB6TEo*gkC3=c+vVSqKV|pC_oon--)BDtetsrTv3Fd{rt(_8q0KBRo$pgS=PZ z2NR~Ro>i8ScV>YoR~d9$Z+HIY^~+${?svZNfMrL3CFq=gF8!1pWueOn>qQd9Bwl@n z)o%)JFAjFop=)g;c>CXhuAiXyJpiLadqau`1a8?s12^k)VVeqWP?e!X4S;9`p%CfW z7T5?J29<@O;Se5J-4Xzm!~G_2#Q~F}VM%I2BleRm!`Uypz&8h6o1w=|0`yHra~A7E zI0e1X@OSYZhiwQOjk+@m|7Utj-}~|>vi*!P%u{ntKB7l=;hsBZJ5Ff!2K&>iC48_t zhxLg_8Pg^P`u^e{X*E1jp5G@!hO=jPe>wAFBLfG-rujvvCBhb<3(K1hVMA2@+^c%Q z^2q-fb41zyb;<%T3}aC1RTEHbVD!`D3%up&pJ~lc&r7HK|HYOb`aXY;ED-qhq`;j9Fe7O_(gb21f-}e z*=b36TWnO^m($kXnU6ozIDd&CyaK%ix~Hl<3VoovcKEsH^l3_cWP0a~&x>kc0HNOr z$Dt*1=~WFpg^#a8QvjP=x0OcBjv7XwE52pZ?ifIg`H)_9qyrnOd zVxBDUe1U^HsNStrNuYn|!;dG-xI)HSb@!q@JMpgPYZ9Cmo)*%JF17@o{NAeKjEti~ z!oqVpuop!H;*pL>V7-yL_zs6HYESl{tK|o09G@ADJ+FoCPJ`}9@2w*bXGMY-t5mj% zXf=L^_IAaAVWUtf&E{`DMfV(!L!kJnEpo=mA#rec|E=7vq-YxPQBa1mR8rO-(|LiD znMb08!q)ns)}l$?wv+4R!$0h$8@TWio-k=xu@)rDxBCNaVeV^>+No=n&AV zOk1eeBF(Rqv>psd01l|O&Q#A)N)x4_1QN^h^vU8W3v$Vo251{C#T>-Czl7RtzUiA# z|GcTlsL^_HE*+1|u#F^b5zS55>*Di@0$iUcEY>4CH$7y$R}s~P?b+DXn9hV)B*sao z#Y`~shID-zq^al)ZJy(9DXJkd+e>$^K0pc%c^w4chQ`4B- z+9wQaB%hx#6Z{1q$ebG+$XwZ^zK23h6J3Peq6~=VRyL_g#W0*~JfkQ6s9G|5^{lyn z2(ia#1Xt1uj`o6ScQN_U@=7>{$)`pAn;hTOwY;wvP3KT02k)V|dUJwBx(k}=^~0O3 zmh_gz^Yx+VF54h$_2tUD&=$ddAf0)+86@ zdXfv)Xd?7^r$#xZ%}-wV)Ph~R=#x6XX~nubL+k)bz2n3n-dA+Fxc_3Mx7TRoM{+xk z$15nVD;t+?rT5QzR-dh3VrsHXKKNvvQ*vQuzbq085)(Dt`fUWSra-G>xy*_5_^)=#yw5Q zO}*+8of`PuykjT9c^*9GP}Gg@}}r)ZrSUvc4kHb*iyaTq7;1e^~HC) z&LyzCA89O!Z(Ba%;X6_8IL@m_nsb0jG@=hVUSay%plT5|67gJC&FBeDiFzWDi14rrfZ@}#51B(Bsayd=9q zqlnmgeb2_t~3p<9+yr14vj3nDi)deOkI15!79Qj+-fMV{!c!nRtG(B95xx zUlQLBv5sMR6=-8b#*B$aZ@!)Jx8Es)GzxTBin4lmSM!mpY{kb;kzaI*`X0`@ULA{5 ze3#P)M$q*V3V`FAz$JM;G(#QSGJYIho{2L+?b|ZWNcT?R=jX%@Tn?anr+0P3sq)Vf z=mlBiC-cugN6^mv#pdWgz0-%isL8_%aHPLp#J^}7UR2VmiYb7wE4nBBrP_dbf7whO zmmrrsaIMHEj0Nku>couo+fw9&v0Z^_#^GxkV<(Q!cP30Ne}x%=iy?QzL*5t*nk^S^ zvX`z~VR7w{02EYNE+@JXt3)|3R{V8%$RXDKw?5!K&l`kF~Fkt9swIRkvFK z6%eFUx)cx;6qHmHiAAV%y9tp{y2}7@0n#n8K{};t0fICN0@5WVNQdMi-ux}ly*+2& zbMJfi{c%6n!%@y!-#}BG1$ezX>9!&<)DD-mJS3^y5t*{t*48dj`;G(&;tFyHOSuPo~q zgFG)_ZlME|GKZEH=Ol*pA6FYC>wYv!#^ai!LzhEkXl^Jebzrk2O%9no;d%{w&n?vG zbb#70R6Zy0>D`50c{O(@3mMWHayxIYmO zwfjM+v&V>*|8=T0MO4zi1CG~EGX$Da2hU%7%`OeP2Ks1>n0I(k#W$Q z7<{m_6>(F*K=Ab?i-2zY+Z*7ai%<(1(_Ql+k(&X@7%o%SpBdinfcWL65Tp5HnprNN zK6DER66W7ve1(T1Dk%M-^0QtOmj=NpiaJKt`w`mF+IinJ=ZkZ3^d|BvfAAgI?5DII zD6J9nJ;-uUoKr3DR*#aoC|o*p$zt)7TshAo^%psIEx)5moQsM`yaOXz1X^<#Orw_P zZzD$R6+6bjin9!XzTE6hn78)%6|rcoOBNPJHOX(Of0kAGn*ObsY^Mu8p0zDdF=qo3 z0iSWy7p!dn)p_rVFu-r+WS2r{bpn7w33r&T5kd`d25^(nbN&esVF@Imv~Z7a$OaXo zmkxjvZ?dH*%Pm8B$A-bY`bBUARcb*I+Aq?H=m2qS!TUJeKt1%nOqBTwJq56Oz*5ocTPY!=KR zc9D1@69&NiJ9~{W<)jy3yez4MLgq|4yfjmN>+kiNFfy#eL`i-5kpO1vK86+D-vHbPiT{^F)=Q296xD)B!8B}Sh$y0BR`&+1F7c^rM__f;k=6AQoB-CBKnz)3 zh6ZzFbwQd-FQ~WFg4Ml)tS&38Zs$xYWCe|8FrmpyOQ3+2IR`7Cw=(z0Vtfm0T~k>v z!y3cBO6$}^2$-EBln3zr`;a&mgKl`m22}~^;Qs9l4qac8E5*6{!(p=1Ox6qV2Yds5 zpD&wDld55f&|Y=17=rod(?AWZ_m;{8j}F}2*-39*X6gV(X5<3qh4@LKlg!d7Q^#9#S= zZAjLuNN!%MT!Ka`|MLkN4%NzaoKt3yxDu*XOuy$zFdE43nR_)@R!{TJE|w15S2MK8 zqUScq(Ee;Vn4GP;nEnb=W{Fbsx+%ws(>t;RPu1IzuM}GRr7&fBE5)3W7{W+v_Q7D z78&1J!0L~dvPk@Jgy1s5a_q5Z`-9p**!)SH@W)!378`x0Lez-{Yxc1M<(Sn@KA;1U zBD72N@Ms`RVmI}^`mwJd474>7O*kgM|K#8j)VrF%%Y$T@(T`FhEicl)>t^|~+n59_ zHA#&>|K_rAq^CAYz=-O#PqVcNlE z6X}Mrj|%5D?r^@w)_vMU3mpwtJfvhd-N*Zg6Z|eCh*${YxAN~nZ-owGTE@MG#0^?8 zl2c(pAR3DO#ZLFd8^U)tscm0tfGPCT1f@H(#QRZRAagBs`_RjBZt3NJ z?EmurZ(J-gt-p9Ff4k9k3tzVp15|R?b5j0~Zm4{FQVh z3X0tT{>on=Ogl?>*I%F?xi|Clw~uH?!$|dg%l%K9w(Bv(4`fF2&o^wwJpBV}wB)J^ z_Il#VTh*Q8R1c1Z`;lEVc^*F6ESqs^?2*Z{);0CtUfti??QvZDlA6iWx=czgr~2do z{r53_j+apd&rgsazR1-gW7MV?I4#9iTp4^mxx|^BM>CjrprgJ03TYr#?rUO6fI{f> zpt;OIL%fA$Qc15+Wno)N^%32hCR;8xc9bT>BocVUriUFqZjL=qs3~0S^cV!x z?t4$&jh5M_^*3s|q$tf7tsPdK-^R7`V|Gj{;&Xj=i^)mf%gV03zmE zxa~EFK(C_wVj8&dCFbjKcIEMupd_DSKRBmbQ^Ku*aN}HnFP$WN%$fUKigJg7?ffg& z3CXlLqO-xYojr|S&;jy9h2;%A_O$qo5wk9s=f3|VJg$%ipX~~NqL#c~LZBS8RoVg) zQ{ca>A-$NgV8MRLEmR%-a%-&BR6^6b>`f>@GU(Y2mz*XB|W*sNIfp*eGUpbz>M)0ddtw0WtX>W0c3qjP{rXAAlc(7PQU5{S*cwYkv#(ekVMMwiqt``l_T+Nr#23m+rwh89VDrdKY0n}V4t%%)L-Z6^t4D2{xZU= zvc**&WLA&aw06}t^(EC(B04T=C#e^_0pFz5ZGX?WBY^Xbff23nMYG3_&+fKHWO=dV zuu>28t+0P9vbokB74jiJah0a0%Yo^ttz?acVX>7~=1M=_s_A1hxr|4`#53(*7?;T# zjUUAv#?q#zhgLX`rBw<8cd7!X1vwZku*eg!8C<2Tmb>)B4gI~l&l9s6wk?gm>n~il zTg--i**lfht4HBqgx)U4mc}%7%q@TjRm1JL`lfJvSLl1iCoCZ9irk|8VgB$ znhU!{nA>f@faxaNKYIV+G=dzs{D~a7PP02)P0Hl`1_Dbj;R;K@(nxa9pBb)MY6ID@ zWjuSMX>7>FJcIUZo2VVtA;z_P2_bxazI}Ul83`x*=lkbxM8ri(gnX=RQCpU!zeo<} z$h$^yT62}QNWuX@uW4+a&k6N4Sf-G=7`~A&#DIy|3;Ii2 zi(`$RaH(=%51Bqv=G=rkIa8i>GkHNLdwV`>i|?A*T+pnUf8KVdd|Ej#-I2qrrS~y$ zgJn4r)x+^AOSGLk#;R9!Wp#Ed9EU6FdotN8cVtey%1PU}gWLFD2qYV&Ep>$^*Vqa88t4mFC?b)I$Y%Y>c=u6yIY1TnCtEt>TAE?x=}s#H22PM zf>~INFzIkjCNXRr@_oJGZHbyB@NMnwCGsOA48ymAU4c;1Msm^h)AuXIuClM9!n~?U zFP_mn^uQuuY?D9q&mI!lPwDJge#QfQB%~KBI*LSTw3ia9ryagNFGHhSUXdxrIaW@W z2~}>uDMoQDQXxm8r88t`$Dq&O3;t)2C>?k{fixl3Ddg;&$(n!#xGIpFV-V+h%LN`f zT!qW5H~;$JLy-pp7AM*E{^i~W+)qdUkIOS_ms!!m93@!nPQc}^`=J(0 zT&1%A5OVf^w6{F#5T}2Q&SRn418jlwZ28oj@K>^{g>UkohHn9}dHGXkj%tU+cTtai z2|u#^Y~=eoV_fmXl8xi?$HX;PHwvP<>(2=w%jurTj8L#Fia1r}HI8IIL_nxT1cb%h zPK-RBH^P$Ynk(AN5mRa(mN-SLJ^iuN{hbQaJ7<%hr=bcpJgu3tk`g6r_bp^r!R~yd z&TZr(xc}c?1ijy3owbn5Ji`~*zvG?ioc2A<^`0=*&kzu1miA6(NW(+$0XuEN0s1Ai zLkNMl0vGKcA`uy&g0xP~q5Z}DWmAy2MFL0A?Hl|)(EWu2QG6wO)AO#wM?Lb0wO+id zFGKP%P6fXMtL}un7s&zTO~cZZ`7Ag-N$BoIwjd8nT0=6+DSxJcdmQxMy1}1%eE@5c z7w%oHn)v{~!}te``DbMFGws01N0K}@x`6=J92`3OB-rEM9>OIAAPGqi*$573j)qC= zI>nHQ_RgR~#T&7mZR1@NxE5}qw=P=&7#juWQq$Gl0}HG4e&+DmskE5kT*iNM#G%Uur1M&+0e7s2kN%2}dE zA&FCB=~F(0_mGpbmzZLZ4cc4% zh=sPkAuikCpl&p0TVEIJ(B{N0JN(|duUvr>z8706wcS@#hYUYSF_U88Mq3aPR+F6msYxNm)$)VzYymbx4Tif zvg-AfLBO}1wL)+~?XAe8ij{mZ?Vx#=;r5DfH`xVkqB8p3@2vu{oGIsD(+@b8wVBUa zycJocYQu-+1yTosHvF!oJBrV@xY)~eDjss?V5{jjeCNwf&BT0hq3P!+>KZR?QbyIVWBxGf#t`tIOf>VXSU|udJP3G)n97F;*^- zi%GI9(&zlcWe*cjM<`^pq1qO|^gGzEeMjH7otd6;QxRSL+=jlVEsP?xEjZdz*16aV zFG91Lq-(R4%DIu|7|4~W@3benk_u)W5h*vjz2h)1!n_LP%4JnDt*_D-LZ#O1@u(vt zb{ZSr#AZJ2E>R0DidiUo3eg>@B#e#7o2pBt9(j08wy4V7im~XbzQ22AO<-b2p7tpA zGG%Fnkw}%-y#?P#6}#>lnAY*5mKid#OFhAK8W!d8c5Q5)t{t;ecpyoIyUIZwlUfxA1hCUVI8n#nk7=;m+UQ! z$LC_7xZszA4t%by{5-pb52}GgL2Ws|Pu5m5mVPXl!!VMq$FJ%c_{%X(O{umO`Tb;I~Ad@!|C}feV=L*TOG-!=@Gv z&6bkJLsM1hXRikejo;EJ#&fXgZa#UAg)T<|T|!*UWiy=YR^z{yt`JaX&$CmDKr=?e z_8e~qethg`)r#?NYxTcPRISbBZ7a-%f|O<~b|M{(S8F^lWU5pa7{$V}+J-?*y1-&!3=)cw)ck&~-g$^S;%BqS{Cl zi)WbycVzXBdrwD>ZbuAZ^h}5{R#WUnh2!*wdffAm9-89`e57n#hN9Ezvmc*7H??1J z4xLQEw~`cB0=n@J6I*mZtnM3>*$}m)85pBeWNaiq9y9ph|9ql%%SVI#!olUEGTMRI ziO+{8jLfj8T}sJ!CRX@i4Uz%VnhBml7lsdiEP>}3I-MCW9b8s_#Xh#ktSyDfG!X87 zts*G~E;z2_hJaW`rSoESSz(3O2PGtQcH8=o*iTq3t(o+eLBPnA$R^;*c3gX}c&y)f zJItA@xqHtbBlP@6_I~F9{8D1$OhtioCIWBjwRPken zU~-0s>I@I)$prg^#@~TZP4w;5Z4tF)>(<5-l67k~+fw}f?Z!97FDcsrC{p$&_>q4h zQ~ZUVGiX8;%C3voxhPGM*2N62KXPo-7^~kPY%SAjTMQJhpl7?vOb!1cT;<-~X3ec1 zvj9?jyqWcYsNu*@kn?mZWYjn*ht-XH|87e{tV|`Rp!rpXq8ieq#5_rBXiOIPx$W?1 zH?%8nS>uYv02WFJwhyu$&jCCWbN`WUTA^`@yO;f47xbyU0DPc-^?TUsJ?7|ACNWSe z6r!)LK`y#<5~vmFw90(IJMN%Mo_Fg_vXm+)Cg3VVAn*Mb2;{B#FCecD+Lk{8)`ADF zm0(_es)IkqflVX-HdYsHJ06%QG5)z!j5+>Oc8*0XW^hq5*_e(T6&<6@tC_qo@3K)UtT5L_euc5|$LsqN! zi|v@&KBPW~=gkHu>TXR71+qwzut;GC!lNnRXPAqZlCL9+gy&-ji_}UCi*y-P=?;tZ zJ7Uizj(p7vHDFejc!8xM6u?UZKjE?7Q>g0Eo@#o&^YC-W$`xd6Q4Gc{LaDhzpXYe9D9+%C*c9M&;-dl{DL7L9JkJ}czw-PveE^hheZ&ojA zyI32yeSWH!GC#YisN>3U@QqI6W%~!qA=SlrT;V00;OdTt<%w6RE-BTg5Y@Z5oU) zuYuELYMAjgzg!Y<97Rd42i4%e7NuvOE*Sm-S75Kx%itp*b8uz)8UgfL_x{s2E%aHHKyjG&v!YL zkg`ubGI|)K`LUs6v$IIb2us42a-}3jzfP0v9jEQiCqUdO)h^1No(}sAv`w6siJ9?= zj$Ve&U;K0BveAMwtL`qgYv)?FNC97~r-O%vSXs22r-SP%tMSoQ&e*`f|G<+D;X}T) zea1F{k%WBwnrR)%c|S!YiI-St@Iev}gkT~=Qn>4?JUrgD?JSg8)kKU=U(^QRr!j14#yswrI0_cC&(CgJL%bkm>#Rt8By*)QFpbY>hWVeA(| zn@gEu&s1901;|>9N(p{ez8=|CVf+0B6OlP6G(7s{lZT}22=WOxc9vw~3#*# zd7nZ-D%)G67mGSKU-D|+q_v7SZob66;8{+u~*Z7tO;Qsj5)%v8E!20 z#1Ki@E-Ma#UCGZ(6`j5d`$dMePb6DOEQvXBA+&`k{L(tfu)bf-N9F98Tv92iTkMoh zesln_`s1&z?{-hfi(gUX3fNAn!p?CurvwwVL|ZwE6{;RTn~hB)1e_mB|3lkAZuWmA zaMgBN(__3dRyYc5Z^qeWXW(@~UrawIY+oVDdl8`saH4{kRDtj~8|M2;!|DZ@-wY5k z{y}yN&@}8pAx{hq#%NoUW{j5Z;u0&6=w|m)!EmyarXH9`sG$2P^|+)shibuoT8&SE z#)6j*6!;-d&p`a&V15HRxyNek7pi)@9?3KRmNW`^dffAoySEy6YeDL zv`LE8Px<7@X^SMmF)#Uj)=SG zlcI_=-ro0K7`f3=VHzwK$?!3>*?#f$tCf|}&03l@$TN*Ee&3ITQ_YQEVHSAhJr*7q89_CKd}cKV$n0)0sV;awGY0PW~C zh%IKp8c7yk*)ZueSC0V`e9_ApdcHO3f2k~?_j#Y33$aVW5xXba4e-ez52k5w52xYF zwRHMl!p8&tIwd0yTK>FXQm9V2;2l-gdF#AxLJCRLJ8v|3e`OnT_sN^@>25gz z7Msf%aatxr5TNXh^s6gWH^@LFNIvlWyQ3os)_Q2iMN}~nq!eAC>^8o>RS^0(TWG|9 z&B%XTkdGovpYP^7)*SVdrpJ1|!WXjFh_l*t$aA$6~t;7*Mvv%$k%-%ck@@|N_^ zp_Mn&#H=++&(5GwU)AIteILd-Osd?wq^!mn6>2QRCpwVR!~7oO=Xd-KsZOvGP1tBa zbcwpHMXZ{8o* z0#Os#){usRplKcW^>ND#$)#lUVkrd~g&)Z^K!Op5M+TM!r zQ(b*NJ!qUPg5(_>^XttEXS!AEV7c&Nx{Ju`;qPPX`ki3O#y~iCC#JiLAvXGe(86fI zOFC*NGJl8a7~njL{!eZu8$Fa;Vw{y3}#kJPT1f|3=j3Vp4AmJ~kz^ zfz9A}t7Pn(9H~+Q(#WIq+KOTY4a4|?0mn*#u34C{}NjBv9gsLy{ZMaTAuo^Brv&?Ur|6N*nPHGeZ> z$ncRawM7gXQ2OqRE$p*{+xw`Rzw3GM%F^RHd>|2+W*vEz?s6$bU6-Q`3Ypjw`T%Z-(rpSClQ=aYkEk6{aDvja=(^zL zWdux9o$J~BoQ1_YID&+bcC^`IH(;u&rS?M{@D4hmM{&EJEqxmq!~r9D_H`sG*+X9$ zmo-KV)UPheSKOQFmq)QmId5=W>+gBY)hO24Imqa!?t2($U(`sr(8}Wtxz{@~BmKTy zk^U8fSUJQyL;mp}9W0Pq_H-P6i}IURS)o?@E*7zSd{s>s^oX?{9~_A=MChxS@VUao zK}9x5_K5cbuo$6apQ&a^D|3{l^7Dzou~do~e)Ee^Kz2`@fe5Gm7W~yO5i1O$ZV^4I zae44?kCE;!!y?6BG8BKCn_H5_oiW=Dy$26o{wx`1_mTkSW7DCKs?0FINC{fSl;Fq} zlEgZ*!t(Xwr$#QbfO2OV@MRaWy%G`_ry9)%pv04bzsD!pzq7k1InTR=vVu1U`<msHj@P2v$C2&kHY;lP|KN_iV$0BZ1A1EMX^yeW7Ly9CHLI*f1k@q?5hu*;mb+8`xo`Cal^W})h`ZbUgtNcJh{kOdsgsWvB2B#SWU9dZJIV?Y>zt{>a)NdWVaE2{@%A};w(j5(Yl{NSY;%aMQ{y=gDLs*O{|Rb1#*<8jY8|2GH8FF zKtdav^!6}lzW!cYe||Hz*o};+c5$PiMO-U;!BAQX>TJwqxKfs?@}(-P`7A@Fx+KH^ zI6``*NWFEjbNI~6argtYObVZG!r#=5k)s|^D67XG{iAiu%hG84eJ<;OR_i13-^6Ej zQlSCX>EX}FK5v^>U*S3%^GF;rOu)+*gm~BQM?wWnH9>n|Q1~!6GP7j#SeSp4xLrfN zsQ!0u$x|(pRpvc#Vh!MwJHL2F0SEauQfQZ(G56UBb`4FlVN8ag(k6Ect@?u;i#P&A z;eh@nUj0>Ob1ce=%fkjH%E1t*#qe~C2DdC0Ceo>T6>bLj`uEiT#*mR(`j1w&E+s!#18r8hR`<85pO78DZQqjjXc%Ur`g7^^dii zn~wS|==XfDzwQF&q<9W@fdTa51E)k09JGW`VMm!>0H72@0g8MW`aoKfvZ^UetvSw- z2k69s0J9sgVvoSjX7lzaCBFpvr>uMknywaqU?Dbv1~8KE)t@sj(SE>~VHfOn#^1r<;2z7E#TrY?R- za9ysVkTqL-ZFZhjK|gMvR>8fM?uU3goX%Z3f|I)OxWFo@J6!^Cpwof8uay2Srd!Ev z8gS6#P{?9^%(ZqP40I!TteoLj7bQVm*ee8tM(u-8P|9<4^thkGxPaaFLPU-CLW?4- zwuW|>Qu9ianqK&v;6zWnrEn zV(_ThZ0!1AUU%;%qcD!==@$vXz~eRGVP(a!=mYee0S;kupYd6UlVevtc>Y`WI9nd3 z6;yhJo~R}XwFVP`K9KIN-HQ4SJokdn7qFhrBGW41Fb*gwHBkA)8Al|#p5-w}ygk4J zfK2P#y2{eh9`HbaGCZpDzQ;7fs^d>Bx#S}WtiH~Ki9xbKFP2m-x@Vn5VNVkR3Y0+O z^hiBDma%FUd}UiI+Y;_^CiLs$(v(Sbg|wE0Um)nHG@ek8Jbq~AI%Fgp@);PX6x+BB z+mOsW){kO4c5^|3w%@m_cR;=z4-OQ6zPA6Qp^$uQL74m{j zNOW$gb$JX3GCJEC?c+0R3{}59Qs+QMAeWAr9cx2bFyG*ias0E%44U5@*W_N8pU<~^ z(90(ccETsukHE#zyYF9g3lNS!)Dj@>-u45yh*veH@B&P9M{uLsbP?=hQdy*dcl{mc zN|z*-2!l+Vr-1S+6Oy%46}pH&%xr2Ce&!{>MR2)rU$a?E-|A>;>GjbVtDB~w*gmT5 z)8g?iibU%x*a%CdSm-dvRck#`zm_IZc*NLcy+_PNjb$40(l{_#7jbAAI?{+-E)4Fd|t8l_NuToL29eiQ1vBH`b~b2LUcHf-@A|Fapp# zzBJ4B&(mH}RJ+H&*}=y;4e6YwSB*DK%|~m}@64R3V=UtZLy(S=fJfWB{^!S8FHv!D zM~>=>@WD5^3+KQMvAor8CO{;;0jH&8h|St{sI9RiR=21MHL;RrF}#`oDdml$bd+Dg zkf)-ZBvN)94s}E30i1-pLZy0+lk^ZV9#lv8I`mho;2PbgJeRZ#*Jp0{Pp~5E`9at` z&Urc%=yp5!Zw1d5c9?+x?}B(l)gz9uFkt%0E2K}{w##n%mAxGjcq8SbHRCt9BMgpc zDHPsIM28m=s`3&8ZHFgZjsNaclR?99vklHLeK@uZ|Ct{lntAadqIl98_mb9CR5%4b zJfztMofd&OPVaBpc{loRK2n4$VW|$;W73(GKU=PCDa+F2LwwPhkj+XiyrpHdac&W~ zUvioBxWPvIV`D1?x;FPXNz~c*3stn(ci;LJ8fS5rzNJ6R0BhIe#2Gz>c>2L+i~-`D zq-?LY;G27dk;jy8%7DmoSe6ab%?ze-T(HAsqKm!A>N)xXP&keH)@uByW2uYc0%;v!x>OvdbN<67e@0~`3E~sD zq)9h`+?Jc6ZAShEN2hf@YHYmItcn-nO>oE)L=Vg`lbkVSV#-Fa5r8yF4&=x!wRt)~ z5CLbl8A#D_MbQ_OsJ~SRS!dyuhjR=4ojK9FYifwal5C(sUAMRaim)@*NrL@tEI1tsEPQr zB!R0j;N(Zm3=@M^g2CAa&)L8kttl7PfFVJ|z~_;?xj7^OL7eJ*KqTueP#K8HbRaB+ zAUau_k$DFE8R^=5DdmzKkRbq?e~IgTY!j;z(T6{)P%d9`t`b0oI{nXu6nEs|58_`h z1aGz>#>>kQJn-=- z1b*lYYn8Tx#_cXh=ukU zDb|u-Ga7K4(?UwlTRbJ{`b*5b{dg^w}&CSF`7{MehN8Uc3)s z12r(fGai9;+yKC~&({iezLkzP6}}IQOmDU1J$c@C#X;``~~yO_Z?u#Bf4wn~jAkR4h~OY**PA>ox2j zlb{tT=mfwB0%|HdklU{#afc*x)7vO%gOi=mm*8(*Z;%FgZe z!K@C*ba?6QrYw|W_Y0+{v$Hdk?@pFhOqoF-g8vmL!m?BE<0O|YMx`j!ysrm;Uwl$l zOH7b)&0H2g%q4sI>VFkd5lTgt6=T(8!v^uRh=ULgUm8Lg|HC52Grs_0^uu@bC`FcS z!^X5SxVzaeAo#FO3C6f7l(1I2It_ad`5VJ|0d_T{VY9?hU#{s7ND$WJWEL6N+hgca zl)iF20V>@BYD}?A{2q8X`)agCFh1OT#0#p^7W7xakZ+=tf41xsJs*i)%^rqVV4wQd zYQr2GrxkxXrrB$|U*+LOQ%1M2KF2 zP=lBmB_odez;`?e@SN^X2%hU_0oJJkjTA86(bSv|{on=}Id%z5o(AR}MGv4XJqL8v zO~VBcx$2QYFjdMKdVNH;t81&@>sK$N9r>S8QIe=B7K;M)|s@HLu)$ z+EL6hpvdMGHEH>!|Gc9P1sYw%PhS9|;r6D;#jxEE7U+mzcVW#Iniv zx_CisWQWLw8yfcn^7XJK!p()ly$w<366o?-2#CsW90?9M7hR(`8UaLmEWof636(Ic zhz^-NL!g}>@JK+x4qjv)#>?eFh)qScLy1xTu4Ac=ORKi7Ys=O6z8|&OT4+TmXJTeZ z4!LY}WI)+xqfyEM9YSfKXtxEi92U&AM~!G8M(H<5V%Ggh@gdij#+r;kODg#eB7nl_ zV?m(RUY&`pmbHR54n*boajyGZc8?X?y=j8w-GfM#(3dkieJt8>58X;Y3rDumNd(=_ z*z!@o`nwAR4cEQOYA>~XtdvCvb@`ib(vod)sRf*+#PXz)ajQQk%iZ_Oa;hia7=qqzQd&)rR<6njxb?$eof}j$GWn5NJ}N8Q#$-&F!W1o&^OIN3w5cDA%2+6?Hvf|TdJ41VN<f!UIg6R8MdV_g(D<(O`uW|>nl=(>s~O=!BN0~DNoXtUXRY)WB7ib zFNF89kcW@fbCx@HsDQNA%InM-qx$(-Kd_bv#Bx=ip*^b%2yL z6D$}?-B&@Na$TY5CpQmFha@)o6@G2@)M1CsZZ)VLnUUYCgQR6@$U}$`9P&mC)qdV6 z;DhB+ZH4a6T11Xq%pb(4<9T0!bEEr6%xifYD2a&@@8C3syH4rpO!L1T8buh3#nM%b zC7w4j{?k264`&H)5y~b6nf|3}IG{IWKs2}}jeqCcAEf7aBW9AM5ZRzjDBO#32eg7f z2p}_GWl^YZ#ozaUJ-0-B+==~)Y=HNUV%t*}VX;hbb*W&xkpLoG;4(7;g~*nHbbC~1 zg4o7XIQE+*ePRSRPo%JCNle|gD|VL#HrS(<3GBB0huW_IU#U52nC=VS{xCnCll1(1dv zI49)F`RjwERj9>`29**9I45mJOImang^_NUnCa$HI48Jn7$g2+eFInRth9xk|Gq~_ zQd+9DH5;kZRH6;z-v56m)Niz7+;b`}XfV?~s>p9a-xqN-uw4M_cyZeCB^yzFKQcwx zw+}@^uJYN4gv~JJ{Nyz^H#Xiky!qK|DI8eb-Z=j4)zIqmn_z3ad4Ei+Ha_TYPIut$ zkkczVgOokM8{i6+YL{l&bLUUWOzzO#xTvLEcxz{?^2BPq?N#WCIRY{}yruZJ#vdF8 zulIlyBOF8tHU;QKb_>p_f zKOjSHc4mHlI)t?l#PnaC+R=H3r3Dyw>pSMoEP=68(7fsgzj^TU9=|!#?_(S~4%JO? zH?3ovYfX^h(uc1X_PS)frGSF+rT!-szM*DX(_+V=inMM(-q=)xWA{xc^l~BR8eMso0ctkoSN(-|3E#wk( zmm|%bYB-qWtWk-yu(Eo4h%NsIC&_>I0r4MvY>HZ6J2mU8c(Y?$$*|$@HT&^rgjecb zytr+jz2S!*I$ph#hx^4_{=h>0b15T!taR^{=J zfET@fE&Xw==Rb{G4;dWWVwWPNtYR5M?6O9Y))cjHdaH+r9yBE^TV$|CJ_!#oBTLI$ zdKbxWKQE1%Y$B{iJhL$6R~&eF=>B61m0mXz<&IsgBYAmJE6C3^ezp)&*>YRwugLZz zb79PE3CWDFvoP4d#tf}Gc&xbW2DV)&`P%|EAKjdd_8ia#48mNmioi zU<<(+Ionoi_jB8UL(t0Yj_Y#MhZwG^RW_pm4|UjdvUw>>#o6tv(=R|3;0-#G1*nY! zpxt?=jw6WoXJrr7in{-$qU_@Ywttf75l7FjAc^_R)MTRlF@0C{A`2NDuw8-!DNU1X zm7^=JVj~SM6lTVdVpbnz@#w4N%|hl|?ZP!%q`vGZVD8LV6i2PeO+tun1nmv3+LWK`||LIe>ITCnzdrw#%fsG5L=_j+y! zJseqDHks5gLEkvIhMoDYpjTS$73j{siJVWV=Uq_!BVEp?%8g|0HlPt+n+u@saUKNf za_&Q2sMK7QyrrSU7|Hz^>d?%CzcvXXI@QvC-#VDla{wWE3z}nEna{pp#*c!M1xE9z zu>1%38l1M!Nt3ydNV-SP{*1om2BG@~?c1W(nR#XAGl)GcQw-p*bP(JlK?oJlRM4cS zyM2$9k~WW;GwzxB-qjX;>w5F%8%%d3X5MF81~DMC*>9(66uDfmn+sFOAk|r$Lt5ME z3x}p8yG>zggKO`1nUp9V9y?9wA%)m2fW&TX`b?rj#4q9Aqg!K5;{lF(pOS1QWq|hf zf77k$Zh`Q3i@8E&-%u>#DL>3Ca$l7OF1s>V&i@PE7QwF2r3^y={sp@tN)@irj_X3W zu}lWa?$HTW4CkJ0vnf9sv2Bu2SywS;s#P1~cQAl&Cwj@1Wh=-v>U9Vu40jAVLWEeL z`LyXV{Y;nEck{;V!S0b$vOzFB&VrWP-DL)b)mD~5iTQd9?CKi`g0CD#QYoxkkBOaj53(o_RP=brCA#8p;6n-cK)n|mrr~sbCq0~jefpJ1%XAcpgQvz#$HTd;;S@`G668FBQ!~5o@LeesmV%u~olp|3x16b%q&X8mf5YWiE zHn(e%!&5@EbNNZFXA-1HC*|d)w9{j=t8c?f z_E=aB!B#O{gz%~9RJqGs#}yTr8U45~MGzNVXz{?F#&Uww_Sqs-&r&1(Lac;M?enve zGhG#d<*wk^r3FhZDUGoTOADVzmg7DpHtQ^lG&Q0V92s>CXKeM^fUzV2{)_I;|DqEj zZDDD8rI(I}>)3G|DM(Bra+WGy2q0pYYS(u4?eThCaXiZ7sty--G2^q&74{45f>bvv30;xJ?Q7}^ zcEw~S(uX>;v$vHvRMjVHJ3R>yn{^HwW>Q#Y%~-Nde~s_YQdU{nDW6(hSKT%dhTYKj zSxsI^gul1kaNisB(ewG!xzdRDG4#}Bwa(>h%v;hWfmL2}g*#m@7nb_ucEom;E4C`j zV{uNZH)NRt(DDkE`UbQWe0`CyB)VLQj8n-OL40|4z?b)Z<@brC?Z^ZuFwTHpNXH16 zlso5+1`ANhP&|-Si<-G14Clo=vJ)^6qyPO4c&w$K4j3jXjmw-=hlm#-I@(=*oOUJkR`|-LjQGkwO)8wxs^@2wIXziIagzTyedwLA?}tsC zBQ|Ev>$lBB4^rdk1DZ7+=5H$6wplZhepLA*b@_8=EDENj%p7{v44*C1GT?`mP+$i8 zNCj=x?hSd`&*3jTs(WTxm$qOrAfz#3G%_!df7jfXfNMt_m`HHg4wxFQ6sFBZ6Z5yt z9nDT!5t&@|n=cs}4)p1cmYAqUtePQHcIgXk3T2{$@Wnx6qu{-6_MpX44o%yd7~TC&}dG$8TH!Q79`@WS75 zmny`O>b;^2k0=oM7Ayn=QF6CRGS)z=Wk8}a^mq(#rce#*FIc|7nVi$|^m;n3WIk(c zFsu3^Gn`PGwf6NJW;Y2fhsQ<3iGwvDl<|c43H3;x-#5tvP-S9yG3lmakwZ{BPMQSj z6up3!JEE@Er?6AJ@S}7pZWW?-u^s!ifXDSb{W}?szJTRzh)`2jjJ;CaCTF6}<2W_I z-LY-*&^+hXw@CK-#ZtkB%( z_yeD7XlR)TJ)w2Q_9Qs-tU^ks(59>ka?&8Dt$t@a$c1bBaZig)oGXm{RK|W|Qg+Dn z+SB!07FRy6tTb#}&)Mobugm7#*T9fz4PF~?YMLVC)pgXRhPI1(DL@75f)9a-Bc}Xe z0)V3Q4LG{>FDLs}WWi0_>D*d&s$=qWjn3PE4Sp9z2a|kc?~F&npC_OPFu|-B3<1rM zPk%My#P9lHE3Ry>73dyj*bEw&-PqnqOu#MprpV4RV$JCel1eDaJ0anEo4NMeiZ7yE0|@dB*kmX4PeX;Xr(a|(C0h$ zaaGsFOoBb+@+%Pi73QEuN#Fl)z-+mCn6`@V$7*%b3(0fsQ1i(X|YrYYn3Zf zf~Jsq%dz0qo{7A_rE}{dfK(U`svH7A^~t**Q063br))u3b#h6sTULfiMlETs6GH;% z5!>iX+VG5LQ7&-S1FGeb)bQtJghViyaSNTWKx`WSI$7y*!(x_}ODCd)YOSrmBPAp~ z`sq>}{2Ql8T$NW7z_YjRz!bFHjJfKv=nxuN5xr2oST7&EA`O2>4wu}(?~T<6u0TX5 z*$-kNE!J{pukxG)x#l*m zXY+;nU5I$X^6+VnUO9*d;OIp zC`|ibO$JKENd^@W3*Sv=DAa@hMN=9(f=&?~j@u6%`+thoh(<)w@xUGTivDVU;@Kx`D#ypdOhGA%S2 zLW1(I>jSTV|Jrx3XL3iF0|X51_s#rQlEz=%9rn1%C2U(8?f9=X6H+N6h>qY~o`|#Q zIXIj8x(oz5fOCK$ zYHJmKUVJ4$PsfAN3D=y^*4=U!ND&xxxT>D5_ee;d1J~RN*IPf%@$3Bj#!)ccrbkSt zZba=|#r0joVPkoH`n0~XWl>J3kJcztzB7J+nyy&z*$OM!5{HsmG;ZtA+nE4jii1L= z{lMA>gI0h+trjIlqFpjT04l{TCv&*JVQ?s4;QM{EhmyPD80m8YCMdO^ehC9%=+udW zp1lSUKV|{U>5Ao^(!hiA18Ma=1hW&F)oo{H=3(4L;J=KZ^3fDz|8Khy_IPaMNyR1} zAwvg$#}T`$e=Ho!O&fpH+zt&F#=vf6yD3FojAZq3b=^pO%6j`~#oJ?Z-MeQt7Nm{e z0$-^ki9HK)&HfB7vly^A>x4t!sk9D>uaEckhw%NDj?L0LI7$9RE=<ng$P4b&ioC)OP{*{NH!k{js3CT=9!VtQkWN=+jc@R~M2Yx%f$|CsZ4OZ9) z6Ol)oiJzOp4F&e7=mW4a$2mws@!*LTSY*jtH|r4V64i~c$VO;+>8C@O4n1!ulD#ib zhQf<=l)$+iksN$_5IXk7*)i#-!*02UVtVu+(}9tWd%ynP8y51jrAzNBei(c}gNVtu zB}az!&*d*k%Ez}Uj%`4ejva2%%1YNbmu2g;q>AmN$Tkv!hV~s7|J5`K(c&tVry5DZV zTEW0E@i4^D_uIG?4Rk38oxKb~=l`MZz2m8F|M+ofNJ~hHP+19`itN!ALMbD&2ua91 zwv>j1P((&$m6@GA%E}5k$CjOpWAE{MUFT@s|=ZG=x#3q1rSWp$nLMFOte^G8>7 zyNpW1kYq*!+jeA4F%7(}P$l`l)4xw3k4#Q^8>l#KmuzOZ1_N)+mM56V1vQ%uB{`Vl z6KLjj748Eo+(5uo8bak?Xg$|peJn7tFnyIZ(>c^?ZldESjw>|j3%P1W%g zf<4SY9x5k&LNk!TzNemE>=<|guTUho(JuZn{3QR&`8#}Z5DNG+x@Q-?yKPAvJOiHt zJF*r(yNx)>RHx)hWWa$mh>L5e-ZUg-bAH1Ta1DqC07t)|`<7PZ<;czNl1A#FCSRfK z6plw$V5EH{0H}iA}sQj`yX=uUt4!n zv&W^~4V?)}L(wi9O?N2v4|L~vZij*g@cBdMqkiRy*lV`Z*k<&Eq3!x=w#Bf=Tm@z| zRz1gWf(W7r?c3Nm&As;O??aElmNJqX(rLsqys7H>ki*7xbLw-JUbOwpNq64|MA9`) zGw?T6wZ5B3nNM3a_wRj!tO0CV5IJ+TM+ekVj`Q=7vWR$pJXF8`j587^8Ztl_=(ncR z0)03dpZ-Ctxx$l2O1PhT6{PBbDNqH(GLq(3k@g_9me{p^%4Z%3smc~U!3Z6Wp~D<- z4G%X?&1;tyF=~PbMQyGDIEPSKr%9V?Ymc<7IKsf7z~LR3&@}?R9VATTcq~st6fBoJ z42=yA|Ewri=x^ae9=h$xR7yum!Jug>JmU;;28zN2O^jGnn66}X?X-FsoyJ7V#qT>y z6-;<7wet4U$7_#+?gZUcUdf{aDp=rMqAgR`BkmM>Z75 zRdmfd3}FYnCVJ10RuueW#t#94kR%WFCr;(@0JzLRGqb$uHy-pK+!|EElXR zMsz-SbgzPmA;W)>W)o)*CDCg>w}@ZJ)YQ>a0Mw|v#sIuaQ2Mz}jK~V*kW=`-^B2Ej`FrofGO3$n_TH=dlZz0<0T$Dnb6uZKx{j_8$k@qb)){<+j#O{WzE3+qGyAjqS}XVCBB0f75E zV#)tJJ17GN`;c^9B4^$A3;>4Pz;gfDO)<98mSAD{xP(lyfSqWq1BG;F7zxB0YD449 zx<%Z@^!Dp8)hYreYyccfe-le-1H96*d#~E_y)+S|$pJ|*&*9VmmE;SX48Ev;vpi11H|8z`d-zxcbu?N|joP%N6 z%}cw`u#BXH{*xxwO`413p+ziz&=XEU!s(x8rDzUGBU^d^$t|s<3!TLn<7u|il24#E z>TlGR@zEwP=_YZw17?MTQZLJC;$BC&EvjU_r<)|1mqYD{I1A=9AJi#nT&GH=TEXd} z8^o+*1p&%T*F8B@u3U3Ies>SkLOOSz$XioE+HpW2RL>;ZzaSDq>ocyu#<#SWS6ge2 zlB|Y%67T7aIgGD@IvRp$7c8*p^_@(> zoTdlv>tF5FKMi)l)aN&ARaB?06fLMFAt9X_O2@#+Ed=KM#O_5+ugL0v*>aEThef0h zoTzs<&zR2?H~ZLkfss&BADtd3G?tvIKmW8tEH=+v5ja|w+fe)SqB!|CLTB_-wr0~;L)^B%g7&I6^ z&myYOc!;Ls2=^fFN8*UTr*aC7_+c9$HnH?zn|Ob`;-$fpp7X>P zW1bcAqHNH*c_4{Yzv+M$^{jv(&r^UvK-~k=ccN`Xz7Q}c4_8T&Wjn6Fifki_=?}8{ zd!aS>_*D-WtTlJLl3*>W0au^jv=#%Y;t_(?9Xe#v7H=9jn<{wSXh+r&)0j607H(AV zT!%8y+7>=B8mW?IXFp7?;802YeyC(`NiQlkTI~(`;umtO@hg-YjlR8mLHJ?Rjso1m^J*TYftq;>b59&L|rQtd>$( zU-bCdrjpM|mE;;oB^SzGm^^;|(q2o@c^zRxgx=gFnz|}%0BN7LLC$MCNTb1pkWZ6z9 zvQ_K&#Rq8ka0Yg^Pt^lzIIp8<%eJNNlvRPTjh}MzOxs4c&Z2Y<4Qdz}*(2zd8FL!w zD@AaaBSwyx5jnxgtQ$2aFfD>7rt%t|m@0X1pql?xTwu^uU{2#jVxZ%9?jcsz$QQ*q zR_17BD_=yjcu`(glODwIhMbcWCBvt_%i=PwRK>WcDn6N#JZ$a%U`nE;#+qP zA1{X!-(zI2XYTtsYWW9|TUs_mfmTaG$X;=7ejea1@Sp&e$_iRt8zRIkd-`HQcIJ)9 zUBb>yAc4VUtf_eRm~Q@(FkD)y88_b)cV*{U+Jn^@`z2wNRKDHU#`59~!lCz+wsgKx zn@gAP80>PGd_BJ_dznNo7n{us`#2p0M-Si zH!VpH_1z#^nqm==PdHUWBKOmwnbY^P0V{^uk(_(l-1aH$qvnmEg`ZY|U4YsOM9hG! z_Z>sxq(M4^$E)CM>{Mkt0JDfQFb4*~yC*dwliofk{B+OJSMQENK;Bxq1I>Ze4<4W= z-+B-#@J&A1tHBskJZX^*}(PV$a@7i~tp;b4iS zAg@j~4!OTKK|-VnKqUYpLR{t_z9)#*?)tF;f-ssj5KH~U3WSU`q68A0+9?A74XDq7 zQgV0U^5;<~)kxp!I|qO(E&G6*AAh;e2Skney723Gz%ZQk zkJl!^yKW$Cs?w?}8uA4~uWuYz7AZgAqH)S zU4gzIkrqTEWv$#d0$yoD1O@=vZXj3xN9gO79ybesPyrfR*{vH3sF8DP;ZfmWsaq$_ zs3?Gp3B8*&@2-ND7ATsX9q-~!|7K@qmi{|)0uT6PmWr=R+N zQ0G0{4OAbHAg zW|jsv6(uE1UPB_1P=n;CHr@+h6G1fZ7W^#u(Vb{T^6UpMeO;gF!-caol!-*|BL1}P zs5B?CoWj9l$2=}dz3NBF3tQvxNBqGQ)~~tBI>(yK;?i) zo)Y+A>}Hol5+b$h^++uq&r0;M-bnW!ZHZU*t~5_SoD!n>k`85|NG8d*$_-kb%=Wo2 zgVOy30@YNMWA%a1fe<05%(tALB~{{$>_@)mU@g4A(e`o{`O`j;tYu|C1zH*-Ed!dh z6Cr16CrFgqjxQ}M9@IX!GA>#lVcAqwe|gaHi1J0Z;k5}_6nkC4_#ezvOTnx17h3H~ z=%68H+#FzTAiIn z+-gAtXh((cda)XGZk@V%?6xdhcjUo&@Mur%3qEl<77h@X1A8!$ah0nDVCqhNeYB7E z|Mfm%^ZODX#uB8CA%sX=f&IaHz;HR$HQX_HtLXGapbpNJ(w5*?e2BnzP%yK5ww1F` z`WpcJTnB{nj&!(n8I~m_hD*BoFNfv`dii{lp%ODqGUYn#!dCWF?uO6DYxKL1u9rTb zV%s00>)$eTJdL8>CbB##D$8~G>(DOuv6+cZU3Kv~@hEX)ukvB*3@>|qwbz+Lxdgr9!IxNWyn&H@C>-(AdFl{~)54rsI^?wnBG(pm@SnIzT@^ z14iZDd${1*JT`wam|s=$@v2(OE$*G}bz{wZS)E~I9W2^l^>NZBL&REjRh;5-LDTH8 z6jOGDX&cV;DJ%$$39|KQMUonWes3fIE7MaRdIpOB3(K@jo`?ZCuKH+MtsYa)k zsYm%bMH6(r$nkw(BX^wHC#mfOacNALFJxbCxd9IOjN7wXjf;mhoT8$`HQ$~*81ijx z7j8|#j9H#2o*Q2GySnH0Xwg7xe9ZjEN_xKT8rpj&x$0wI7`poJ*-gQsrn^T8Zp`C@ zg(p2#!vWADR#u>u=f{|%l}D!DgO83RY$NYMS48fTN}bU{G8hkO;b3Z5dH%rc?du=O zp_R92v8~^_kCV9ak?kFN&9?-#S}dL`>)B-(NNY~z)Fi!z-r{QqX+QD%)>Ob{BXD<| zs~8(xK^hRgR!$uY#ymA*btfs{6J6>F=ZY_;s9+X$7U9`(R$L?bQ%>EiZOYlharu3= zb%dL%S65kSWNbCgtDzVjzTrloVcU$G*Cf|cXkfo=rsOg3&Y?i_TgLVw(IH3R;6Z;# zX?tb^T-4dvkX_-dKRs}}VAlX&))&u4xXMTmTR`!t#51M(h8kIKZoD-f-_A176c?9M zH#B^vEwRD}?gHXhG-~sQc4-e#uD3-V!>)Zy3`6Mis+qHeAtk8*z6^3)4x^>j-uInc7 zjrp+tpx4ueTV|P1kpOi0>hUJg_k@wL&ZEu=?HxScR4WGV>Iee~($LIn_IFM!6 zdO`CCchSLKISz-mmiz?l8-4SV(T(`b)(j&`>@LA!*8}3{vl8FrGl?rP0Go`GW)W}J zAwK)O_MP2}uEEEcqcy+47?7cV(w!%UP_}enX`?}v*?d)+RI{X7UPF#qVFP>qJ4P@l zJN*!z99%BRp?q}8)vT+f_M6&tV}LIloy6NR5ia%96=fGRC%X;hb2k=wrhKtA>hqfG z=i?I%w$jSkHqf+?2r!#m#|v~nv(2Q*f&FLj_w zQ;cQ3pw)MGL{Y2j(v5_BM@MxSsjJ|PJGfT$CVJC^fmvim;V#KxeNGK z0dNCw61ej7!pg1xo0W?t!@lttp*c+4GuN$J_fF%=STiplENK#61sBf4O_OH@_<1c7 zm=)R@bx(9DPG28b)%vNAUs*XTMjYR|GcQYO@NHYDVmpnkpKZWV+->}vovx<+mCG5; zCWCt?K8ay=r?PmY!R4-iw(`@;g5_3CHbhV>WB;lQZYTK%OornwblDE3a=!B~#%*Go z&uSeQh`Yb2F)ClEu_suau-cVgoNeVwWgW-(Z~<7cO~e%&FunIgvOc>orzJ^+Ia(J8 z$nj2gPem<#6bJk}lCpa9LnK$Hhk$oCiX^(wtieucsd- zhJ{$kowEKsFeZ3U$a&~`3Lzymk-e);JgY77z3et_C?oTCfC<&%b?XBB*Sj2sQc|(_ zj`~T==8lL5>%ulE+&wyac-KWOnl;5c;87eB_>!%${>dKLTRt#`Vb!*ne|%i+^M8 zC;F+LT0Gq<1RuXft2TcFxc^z*d)|o+d;9{|kXS=eP2j)X7xzNam0oTeY&z+Ufm%J1 z$@Vl7$*|JU2I>0(l6E5D@eM@ZlH701YaNg zHY_C3=-GrZN{#DZj=U{Cem&{EY^f|{+m-BCivt>JV89XRT&`(#Lp!F6hQSRxjkLJd zd_*=m!k$nNazH`I=xZ**N?ufM$ZyNLb;t8H&q|7W-;GD_IVTV8SQ3j|-uv>j0wyio zRXbqQFzY9#!wsvf->*~+3%D~vQwwp86ft2X^zZvWM#qwv`5{@jx={ydi0cK$1PK+T zYKX-!&h2ug_h2_3J`KUJjH#r0PSfeY4B1?R_f&w~#{3q1{qWp^$041PCN)g9^@qDE zZLy0!-f+Q)!sCMc>!GiCCvU(}eIb4tz9&6#&GXbk8!4_oZ?$LQ&8#cf z6+P>@>zUf*U=MktV7Q#k{&knmF@Pja2AiRoW;X|!tksdeA(jLd&s)6|^yv9{hp4q&3oBQHy2PE)EB1xr8{M_`)j?wQN(v#p-C5@b z&uk1yw_bW3Dp5B%F|C&q##|^XwD-b-r(I>Srycx6jC4dCaJG)?k4Lt9mtD(q*aImu zVkq|7(5AF&`W~WIJ-4$yTktkvzuCo@c>BA0o@{n9l)p3IT|p^$@ZeV7^xmU}za>eO zq)QQqv10gok_nQMDw>TAls>_O;Qk5TW_xqYo^#m^r(MV4ji+U9+1?2M@EV*uw=trl zE*0L{Xlly%b*SGeZ*mjN%y-C!0aKKj6DkZ8(|1zVB@1|igiD4*o8z_LR@&Nr~76{*hy({-N? zR2iqlg!C){uGiy#c4|g({WeVDv5qH@NU5nWGc!^j*bg|(DJbyR=a0?m-1pCAPS=Af z?>{{<<(v1Om|mMWCKflkJ9KWRQhW(TF(h?1rFw7c>CV*6*vwYr`xiyaR29YXsaj%v z@l#q}e(J~0*M6a95nHxCKCJ9lRA%by)H%p#fa>Yy~cw4P3 z8XM_$<*lF&;%nK)!h^H!4}yBRN%ayo5?C5SP>|91Z|ASvg4vTYK~|wBLB@B<@@?;M z@yF}f)V@s7I!9rL+JcMlewT>yXd^yR4Gr1#f$|$cQA>IMB>BM-h~2)FtAKw6r{~hZ z9m=lajEE)ixyAsSPXMy_1_-dI7L>!ej)EYKN;=K#wxP_-gs+~Cp6uskRu3$~Wk%jm zLZ_-!Yj(GZ(6w^`3waz}R2?!xQ?%v8E7gIb{#MG)l-P7&(G6tU+gp}M^p(wWw@m4p znVn=%t-Tz7J5hsk@vEi!L^kw2wU8@xlY57=4DeZtnnUsFdD?>8LY5pyl13$LuGH7X zUy)Zz;f2%!R?EQ<>l3}U_QAEys_>+FM4t4x!%MkmY84)lxpW@d-wh~S#K~K>u}@CB zTL4Ez2i~P~@t(g*;_NIv#hl~OIzI#4RkfDna1$HeH%jL4zyDhy2`fbV^S#|QBj)t`;Clv=0~NL<}<>Ox|#${R=Lxc2i2VW$KqAOJIfAp)_- zLzOAYl3UUJOxaYh-xX1@@-a+Bq|b9iQAAhip@GZ`8!k_VK18lyhfx1yofj15iU_V< ze64h&Ez|gN{zgnS6h2eiWW!Ma0~3wE3Se$@Hk_#_1QVBu7*mdcdhM5P!5Sr@TQ}er zxIc*BH+8d<%H6d0sH~i`=MeoSH!1opm17VLL0=`R4FH$B(x|3_0sHOaTI`#?zylM) zxcLhVvC-@R1k__fDGEgZ~yT^V=mcrayLnE;!I{R8eR_C(G%>}Bb;^Ip(->I}kt z+f>rvEcp5{Y!tY(we8%Z*|AjYr`R$eYu$C+&Ff-g2+RDcvWhz615V4beYND{%VRO^ zH)(9>M8V|G`_?VDuHyNuhgy$<(`0Fxz@fh(scNCk+p85TVb9&<^wHH#{x;8+;DJYe zP_ptU=Rf`Iluu!iOk)!NOch^@+vpZqt>nqN6f;-0v)UyWhmy zjq!74VT!guMP9_f{j()QZG0jd%NrE@lS#qf!nxtvnd>LQsPb=kP+Sv0otRdvd~TPG z`Q_JQcj;6!V>1QDr+WjJopy-U;)cX7k_) zR_9=TYlu4g4UIr)Q2A&VO2t5Y{l9t~mDPDdpD=~xd`5?JzzmZrxj}tz_E&0#n8NZ$ zZoaLf?wSk_s*l;Y>2Rq=vS**27R~!C2cx{ht`efzn_LdfY=u>lCg!_e;E95Jicln6 z^<#zxg@z`%NbyZpQe=%|L!+Hh@>vmHvbqhY7j$yiZ;!sY)~@^|iT^EmXq`0}J=eg{ z6FOCMI7-Cmm6Cesd%5=J{`H(sO=cJAH}$GoOtaVnS$~soVq0iR0``xY_JA zR1Z}bm3_fXFgay0ghlJdj?953I_y$Y{oBh2_2LdiY$%l7#z@R=TeWPcVBOf|0C5Vx zpKw*4xg+B0y=XRtCr3wpb_vLXDc6qUP;Rc@#0(QOcFEtgdZv z-+%Cs-)U5t%db@Cilxw?$l-~xfb<1kNI?Bb>S=IdY(0Jp=YBJ3mt(eW&|&C)Rz{>3n!JCSh2Sz+-3hUNE7nXR9zkT};oh%K!!8D>^F-vQy6 zAR*tttE1F0hrGC8nXzMwa@vPWvzqjQNx2lO_z3m4+Q*SQsgKY{V zi@-A4%JLRZzwXvK91dfhrLYUP+0k?GHFmJ`627&WmKT1es(`>OLAa!=-2x!SbBC&e z-#KVOqV<|jv@6=dJrIbV92fD)nRDcC!3eX4uLf4#Hs}@}?OixD@fjRkuDzA&h@jag zvEh@g49uDmAoz?u^sR!7d>+|Zi%&ePRM%$sIxYFu*j67}E9*ZurFQ`@tg(zcY5@nU zd_&daCPoJTOciyiulFRPoK8O-7|qH?s1k2FIU%B;X&uW*({?JGr(_j4_r8|;wt<@5 zxGXZ+JK(!$X_{WL`ipYaD0WtoDX%;)MGhSjY8gQg{Xge15rf14{g)4D%U{@xw^!H= zR8V3DY}7f;!y(2`zxpsw`RXLVw)N9j;o;xq>wD*D(9CMkqw$TY#PLh3r)$0_1PFv6 zT)9tQ`9TdX9=rzQq(B%Y>FX@=KKThDLN||Vffz;v7m})EuV-zN-VA@wo>c5TJ+S+q zA%zj{g9uI_%O~c+$gBIC;HRJ#Zv!;?ulm(odRMZM&vqEmuT*v) z1Mi3L>NvH}l|mE%!yj!lijdsb7*=2n;%@vI3J{X+$^<(!Dp2K}zxvcS@=!kGPBsHCc|L|ppSDIa?x1z6J}GI-RBlKHZr3! zRvOA!{t}Pm@0V+o>4bY_k0crAGh&7_7x&I9I()9naVGq z(ds3^%V1@=f(D?>58d2`4i{*{!H$-Ma-j7tmFYr0FzesXlKa02waL-`t-6M zL^2qb6Zg=cBU%2|-y#`I4E7M8*N;kcU+DR92u}bm~xz^%zX0jvj@{--rbCPcq2NkjqP} zKL{Lh`X4EAg>boaMhIOG;seCv3E6nVIR-JNKxAR8iEPXrzd@9;^RNQWewbN3={amd1!3*A*-JV zF}nzhVfd9#Il?A#%|rjr*Jf2jnpOq!u!I{|_92>9qnBDyZ(q7?M?{J775ExlerHgI zJoh*I3T=Q78|EPOXUE!}`F%=+Nd0j=82gKdOsHESg(pr`%U zc9cP0j`53xbi8q6ib!3#xa_wif`{KJ6gjA5VObo# ztr`j~#a&0Lz?xzQ!u9rTW`@`lK?I1-j~AB9-YMKDntjzPkzWleQnSB{xoFoae}ap! zdeLcSgcA-y=I3Vlv8jKV_IyyAmobLN2E&Z25Uxn4e(dVFd3ugsD4dLANQnon&B0<+ zU5pBnVOYr7kvsnfink}_Svn$4u8TgY;0ug6CLwu7;PX?$1S0gs7t{?Q#dZ?QJ3zhd zTKx>*_a&+fyf6h4S_u`>dtmgyugU!hvK|q$N4uQ+D;4|+l>}&C|5($NuS_}wzkF1k zIL8Puyw(Ru5U3)*WR`ylrs^cOcSPi+Q@|km9(x@OvZ?6)-|TqO7=Gn|lM=vth&G3J z$$SQw_u*5Bh>4zOZG*uy)7HZvF^7S?$lds)5DU^#Kvj2I=FuEvc67C1nbS#>rC;P# z6GoEUnErpZ-s9uV>(-!+FJwhq#jN5t8sP7XXM*1^F$uMS+G1p;u)&6nuZVcZr+fJ4XN_m0Rl6)4zDtugu9<~Z{|JG*7&p&HDg6eN8%U9)?zdI)KV5mSh0PWo=--! ziFdQb*qIavO~iEi$HJWmBOP;whvR>QO8QR`^k)sRQa7PTYBa;)W`76}0dm%9qqTu(OuF)|bk+i|4+uwMY=8NsNh`FHF;R4nO-=X=bHoZr zp+74F^lw4qlHaiBW@oMNbR2%ksFUE9m)uJa)Q6^hP>1i^j-(Yd5HS_^u2$-davM?X zT&>z2rSQVWn`&zmz_8&omziZxom>k8wNgl8S0#_aNi|;GW@A=utoF3OCxqRqar$)m zD~^M^I(kymR=Xt>&>$cMq{~o{6WgT3e^%bm++Fbc?gj8i{?#vm|MKA0tsOlqIddv* zm>Dd~B4G1wmizvXtLI*>JUq}>Dgu8S`8!>Q5#)^J^Y%Orr|`v_v;NwP_nsd# z(MSPkY1_ttbm$H<);>`9*`EGeyIi`-s_V$4d+T$~Ed%!?`i2`PO`KJ-28IY;eo>nE zKg?Q8D4-{6J{Hi2<}RoqIOHia8w}&ISr5ZQIeQ`f8S)F!1E|3WEU3nFVVj}UI7=)w zJpLo^1Sc<{I6sYBex-i15uHE>pV{H*lFLS*4?H%yzm;=&3<+Lsl`A@k~ z^3T2o?l;I-t;tj~HNY@znboxAR5_c4Zk>7h_)PA#Su`_yGD@rQJkMSS;Omr%^i~$` zkKLD0gkX67Z$${Gz=9Kdp8^Jl$Q_R<-V~yKev^vb;%%5gWz(X03n%op-&jj$p?-u8 zB#&ahfFuEHGm52Y{v*h|a!&u)-U2(u`zK@qoybR+l^?f3Eyr(|1hLltr4l3VmGKxj z!@sbzPy+k|ZDRLUNUW5$kN3kh6aIxaBk-8@TlZCoqQR*ZJkSV<+d*)bcV;GrR&n!#71F>UihTn!12HopHI4w~c0Nu8t9sw4j4=AD zlg;YRQV}kbOwmqrXYqCIeIf~352pZfXZ&C3Q#(XqOBPqDjstPu1(Co@?_9hBJ8s)O z?i{CMz&mTBgd*b&?PX@}N$Tze0Ayf>-@aPQ#@6th&86V}wZErhowY{NL+$Fz?j{9H z$yO)KlMqQQ@zM_<>3=w>s)`$+Ge`}$i#N)$tkUeyh~MbwIXNxE0Atr_9DfFth?ms- z(+Z6r%+bJx^ht@MHZ^cn%3mZeT>B<2=V;rz_8EE!Vi!w(4%4}mICc&&_`lPPqd=K7 z(J-Ug)td2KQX_+-r2^;#J@`~5P zf*d;hDI2EiN1?bqf2MRFS|jqK5#^y<0juKNX9JEPPxe8-@w4}E^$&fqWAx5LV&j?~ zgMQ1aNTW|eU-;s2iFMR4=F>nQNtAR%MCiHxd-JD%=Zr4l`)Cj{+BjmD^ zB~Nw=V^am0ZyByVEOXzhLj7x-$+B3}^!Jha;j#*LvO2rAl;0wSg?gXukjxkM&9S>f z8ZQ{UW_M#}Gy~pjmP9s5pA7t+-iLs*L>vVibj0jQ zO1qM%9m+wN&|MVwoy1+tYr8&4bAIs5e0)$^Tc%A;vz3*$o7GUrNI{Dz&Fzc`m()Ad zkkzky-2G2^89Ei~;y@L20|IRLN4}pUsE2~cpuycEHhcd95$Tz-?fFtYs>d$UkeGC#0Ai5;YQQsyUzeoMKZlH$2pq4 zwl?Gbb^3QO|2tjIR`<<5iR!wRkcDS6Hch-~sb;Qd*n{@;rxfa-M?fWje+3E+BDRoJ zRsJxG=ISYkX{ba`T-q)(L}ApI#bULq4u~Qv)Z_NchLN zNp;y(%7zv6e{EOQwRV6r7*J~Y0h$rdPl!*GU+li|E)r~+AUY+CTiCx@OLa2E=-CB2 zV_7h-gqzL5)UL<+TrZN)>%dH0@llwfQ=jXIqLZ%L*@Oqcxn$T}wH8E7_h3l{K3_x5 z?X)OzNPWkiv$9NW0siy1_xr5Z&dBQ?2&OK~%*0@QijV8+mO}T)pLLqF+U3$5i{~vA zQJ#>O(c*8H9e&(o^o>44P+?aMe09y_ftG^!3-M8T7&Vi%0(?3$jc8Z36^y(Vvy1PntlLUXI=*00JdC zXhi>!@Y#RT)6U90n{Asm))^72K5TsyH>*^&t%H3R22vxDE=JBYqi^pxS0H$e!=JPJ%<*3meLVUUYq4wDk=DM> z;b@%&P|Le6DBA*m67gXW8WH{&2oQnsbZ}|bE1+os0P`i7m;-^q0PH>Dqzmp$+3QLK zR!P)%<6*5!z?mGp0W2hWm~7BJ5^@C4UXTRZH%-qK!|7h3jrK$YQ;yZP7(O*|C=$Ys zjm=)ON8`{9rBExQxf=QmY{pKfAnR5>caq`=TO7NK27HzCibZo-K)3Q%+Z+Em4cFQ) z`i*z;_UNj`@H@hcfj-b%@Ta9r;x1Hjx0LhRTb&5yt4v7$<}ryA$!lxUi%<8PpTy-} zYfowm{DN2Kq`|3s31Tb~QrO&kaYvp4PrzCeAOCI~AAdTuSxr}FHB{mPs1iSnDshh0 zW#w@2Pa~!Chtg}0*TNR%c~Nt`~GU75mU9fiTwp}4pnQ^S1+5X8|u5gA~mf;K0RybTuR)U%V|GY zP^;o<^P3FydUml)IEXM$@EF(K2IDu^+8+c!+cV!(U9g}>+}E~1Pa*}v<liKoh9_!MyHssQAD%^pa zlHY_FhExv6O~UO~#rIZ_0K@T^$pFU}X^lDfnpdJs6^V2D_vt;*019COAwhYC#**9V zrNXD)J4xkWH>8Ax#5POHG_0lVU_Y!}S>8J3_wE5}Y8_5}e$g&Q@Jfyzuu!Hq#)MdJ zwutWDLxJMQd4wG8Z?IK_t-Kyp8wI-`xm*Cv&FVX14>8_HN6))fUx3okc2B;TAN?as zP#`}-o<@TmDq>la5iSxegPDIr6#mmjH*^8Nk`=lQDih<5n!D2P*~a_>)-|+%D?nCg z(%i2ve&h|%Um+P_Ckl7IiS{g62=3G78x}KlydS+nwdCEAU^IfwF?A;#26F7ZkLW}h zj&sAm^9TqwfUTC6KP2dLamzCR4>9CY*Hno38wjN<9HgW~fW1s2ZUYU6x)x6G5U`KT zv)slV5T1i-Wk2tIgmL(lFv>KfBK2bCnip9$WTkG@L#y0Q0WTNiKPWrJdX7ZfI%R`` z=^u!vZgjEisfaG4KfEta-N$z`805%R{{5tzIF3-RRR21a;>@hSB@#|8C<)=z63M$i zl?=`a;b~UsOZG;AEfm2eR#A6^4MQ&(<>(E`?`~B$uYE#Et7*~0gMAUhYG(ppShh(O z{x0g5N%Dh`YrwWlA+jxv2I#ZkLT;&Ye}r~3nyd8nr{8Ag6Z zC~4aizX}55?}#8N?1VO>OJ|tmx*))DA2ULU)iP6qSOAVhuBnEqvMIV6gnzncy#SbV_rTRWnvU0+{^BryN2ya;_#yo9mIIV$0K;ny9vEe>LH2FSGA~sA$D0{lY z(Dg+M1j{El8?!W6*(LaWw->uOJ9uD9>z|MwhOAW`yhj|)OqeW8XDnyO2jOkQ@XV47 zR9E<&ZwC;+^N-|y)dDr*9HyKdP05mfz(^l9Wc&W!WXF-|{O9QT=Pta~WW(Dw!o^X$ zLU}rOecZbXDhJ*H9|l;jC6JNtC=u%;daGRir~=2I%te>lFHRW2oY38Zuo`exAF%+| ziIanYI9NqQDlNRoaNPmni7z-IOg+TG{Gu=ggQ@p^OsqC!nibuwg= z3|OeLkeBpYX`5}jip10Zz-C+d8Gi&Cd{dAv?iWUo@@YsB-D799$Du2$yTglmygVRg&HVz`gm^=QdpR3)n`62#BkAaWcGf%G<;M= zs^QwfRA_tJT}EyqAzL2Y_{{)jVI)pqXrpu&=erg5ID&kL1VZmtgEYI3{3^m`4~;Tx z1e&JrapX1kkItAx)#mRvoydBrH7WWkv_E$jkiSXTaBM2fCwot!GE)uqgp5(PkUGFq z&hY!O5}yzs03F$qU$SALAL^@m%nZl41~FeV7i_KJZCDgi`6>oSIz8y8TkzEXeQaY+ zneTA5?fA6yd>=`m@kW9yxomyD2L5JLbG`MxM1qH0d23bI{Hq?CTf#*Y?x~t0^t=ii zv+XO|4d+r_MUfIT909X&moLEqp#46T_*KD?1bVU-RAmAQpGXI|*o5tYdXc1Vd@9Z&zB^sUa+=tJ14DU26I6aumKRw~nl>Wn z{?nssJCNogvAnw3R6LoZ4oy_QbNmnhU3=Tc36i=9<=d`OxOtwwvgVhRzMFZ#vkNwI z6g&3J5I~tN&pADT2-O$gXf=Ep&xP;8(mrBR9!dOM%}zFs^r^j`HHm#svsYTAUWk!~ zMu(35SWQH(0D037!3=S^=bqpB(I~u0A$)`Yn!F;ukyka1i-rm!=wpV@-7L`yfw@Wg2t7aYNnqoF6CJzY@rZ1iXI+t~~?l(%xZ7dhw zYo=h*6511-OX&0$)l)EmwB@L%$bK2ly1v^ZKR^Fg%t+ow^G)DDT0SCFbX|#9j5;~f zm-Y!jAGPV6aL=CXuQiD44^N40AA5h{Jlu}jYML-7+{z{F1}BZ5fdm-*Rd!oocrpGh z;+n16LA+X?ZrQLalPnVd#nD%1#N^<^9Fa^SpGHBs%FvP}#KdEYJHU`gCC@Z(1=o}J zGHaKq~H5k%CDQXUU|0Fdx~w)(-r&zyT6=( z?elAWr?>X0Oh)R|(I3wrPLrN&(&NeP!1X!{RR^<=jHYQl@0iayjnA__?EziBe4IfG zueXZE3ZMJdPGomHAZ!{tH$*;dQc|Ou9v~J2B-kI#12Akcv35;ID&Ev?zVDqpG(s^v zK5p>p2xi78%ePpeV(=hi%x2{q5tkoR>;fWacL6n#&}Y zan4vJ->6dxMj&Gx7R*gKpmti{3{92^Hl;@_At6Xn;l z(n)$gTM|5~>B=5|qkOeO#!gyJ{}!XA*7Q6=Bxlex8z#WnqUYZ2?8q7oQ@ZZ8Jq`Ug zdlQ`}hp86qjC3XfWXy&=bGIJebME9CyPVRQEP{jNXw!QuXTB`~oVxd0ZhlKwF<>!W z=nEY(Gsto$WSI}9ww0c+$vCFdy{vr0$>}-0mR-wsYnz?IIW$Jli&G#Tp!CMh#M^z0 z+%c^z5>rQhY+uNF(spFMiqmShKkXI26nY6>NDb$yIsGy2h3^|kX_3T~cK@PMi3n!> zkjz%s@FXjI699`>oyZKcEafNXPc`eA^qCFBr^+tOcVA9123s3IBQ!p|D_=hMXvBP+ z*9CgnA`dAqAfB2A2|2L7S#o@3nBluIEivqul&1`1Ve0)*T-U?K1Qy&%Ic!)k?ltp# zXLj)0_v;|v1x#t~gzQ`llyE9(-oQ&;@|tDG4g&iBA~GR;p_0Y3#B^yllkqi~1Ev## z_aBpG@KH+oh;?8$H(nWJNWvwsVmV`3;Z~q46>M;N0jn`PP*^_Ymow}o(G(H-x$o@A z@$#f^w!;@NpNh83s?StD^(uNOBSP?!w0*xg@-?akf775|V;X~BYQ45Ippkk87vtQc zMjLOs*eXh}($-$OY0XskEe(bZWf&7`EvHF}cIm;1bcdra9GuI0(V%T`#zd#CU28IV zm>HvBu}#v2;JB1HUlnC~O5vhwf#m#Hf>im2VA~musCmw;W%bUwg(cm*?!ZL?$6cY5 zYL4t3Sn5Vcr-5&w)$?^*z-S7mzIQ7IQ#*-sZd{I^ccxkr`WS06SMf-LZSU#9nWkEb zmbxWLPju5|8C8kHno!?Q*#8)@=#+3|Os zlaHD!?$N?H9)GcIJ>0P~owr=#7InSIv@G|a^Q1+dcY{FOmjo||!KK0E8LXc7w!E(8 z-fhh;NN#yiY<|diwPVf-EnxVPqQ9eQ3ektn&W8A;b~AI^Ku0!ywj6K^S7-r9^ID=( zDUDG96#aLNT8CRwxrvwzPgbOpxBd9Z1^K$MFdvPH{(ge{l(FL*?{!qTDy;c29_!Lp zigwv|8&f~0&jF|fcPbJ=t!`4&q%r2*L{&MCy=5vH%{Uh{zYx63*^!3>_uXJgI+sLabS)#&xIr@Mzr5W2G9DFOfnz&PE`%0c>I-=m?dG z+mU6YEiYC9Z8;_s57_N#XY5RHacf6hHP3fd%i3!7g7QK5OOcK$Xi!H2DdB|x5WHmH z$YMQ)MDpNP!0%hKXg5Hon=`4ZI~Jdj)b@=ePLD<^%Q%m?)UsBmk{VFW$vdro!~_>4 z@4s7q!iH;CvuZW^LxlhR5uf%$um+fF^C5t^yx=3~`^bU?$bpHm=ItHqd14muIy-i$TkSlQ%1mPs{i9q2W`pdE10&Oa3hjCY1vxn@uNH zxrow|lSjDFiFpBZ8oBPWz${rs*J!JJ?dpU6L|7Xz1Yek!G+DF;LlaC>>5DXc?CdR+hBh>EPLrg)Q_jh_O;MSa(?hknT38VoD_N^hF%-2 zy$ZWD1Z{%U1Kv$IF~8h4wQqQJiV5E>y*E$<4m#fhY4#+0Lb{(VHK#3adYV&Wvt#GY zi446QE2KOan)hN-sM798V{s=u**nQHCHgJr!V9KJ_#V69+GA+Qu2zmi2=2d412pZ7 zoYfCT%3K`JkVCap*4$jPFn#Hg%^6kX=1s z3QqMTZJMJ#UT}_Sl4gxCl$m^1IYnDA8z8DZIEhoI1&ul>gd-h0`+ys%w` z<>z>MW_Q53hl}n1#3f58VW0+>R%h)y*;e~Lfeb2nro7Zk9L8<}iUr^7qd`)3nEW8# z_SiL*+q>BuO(zP*MQN?wACpyZNeF2VcQT9Ck`rL*t`nDzn06SD{lg1@L(jnLD{d@H z_n_${!Ow5L<9v37!y33br6$R*rWMBfo-cyVwc5Ca4Xfe33hab6wWFxtI9XEL9dllbZ^cqcqq_hSu_8bspR{^83UtX65HJoACo5#Scvs ziCzgLGQ}u?3r1d>Q7`|!@FJ;hw)qSX4FFJ<7Ylb%{u>p^0M@1-;>XLgAE&_Dky#BM z3Stuc7#?GSFAZ$b{%YyCdJz~C(zHy>uY(C~147%4jUf8Q5I~`t#a?gGYG5FLdS2^7 zA2wfTXWpH+AZ>(VkzWx#V_sDpkpUrw7!at!iUFCJeN)$71^pbWURQss>^NFsa1@Dd zm&8+C4*7V142Jn*Gn6JB6~ZR%jZ>wUgpq6;?O)siRA0m*2xpJ}tzRZ0zfuZ4_@Y~s z@>Z7z441>%`R3NEXChU;1XF-`K>e&kg?15zckuaW2kakxc3M${nFu`s8RKTkm9H>#4z5xa~s}#^afgXKDkpP>)(4GH{x#*PP{6Kz5xM z``8(>-kOaDEk~Bq_Yifr|KsWtBel3_R{Yf>t+~R{lWvx{hpvU3kZPV+^giyX9I=cj>wtTeN8aGnhM^| zV?f%vQGPW!YX|2WwlpTmMpg}8LYV+ zPc)?ye;qP@`reV{y&#UX9M@hEOoA~TMMuxNH<+a#-A^Je_jkp|(=8L|&zQ7yJ||T}fgYkM0HTbfm&y*ts0@c*?qA4g+ybVp0-p$kFJLcr zBJoKdD(B*%oI?%FpXUJoRZqwG+&?3jw@h>~)^sFEPF*AI5>Pm?Y4b^0H*?@7Eeo(3 zVt~aP9$)p$5iCZGj25?;GL15|g%g0qBRYGCmAF@l^)W5j`w|6;#Msd%^LxbLd839r zi(nhp)qF&CZZ{Mv7{YOJ$U;tK#H5}v1@nBV?GO>lV5q}RZ#QcU_ws0mpx1r4k2QHA z>DMfi6+CTD#QNK|=AjF~nx&^#LED#o4>u*6eS>kN*xlX)47rv-Q+3a8{M{oMIejfa z_$K`5KWQn^NBybmY2Lt=fGjy?m~1_RB;#QEO@-&NBv?8zBLVY>?Qadujj60PsUNVE zKI@c67XCX~j68|+5o4d9GCmVJl+PechOrCmdjt89Z_%6z7E+iXw<+UArl;#jor}Kq+*IG8BaWVZGdsOZ+HwU;G^ zS0B_q1U09?OxBw8A_5K1s%JwIWaH+FWW7+wlqBZ3^(~$OTe_(-)|xR)rQyxcAQKB| zLU_uTDuUA_qda+nPRY}dfnmJ!Ot9*C4ni5w=>I?3-U2Ght_>G9Pze>J5dlF$BnD}u zL_wq#rD0G~L_m6ILFp1uI;0zeNIJT?f3_I&VgE7 z=9!jrL2?@Fyc<9R)!;2I!O&WLvtqwRXqWlJj63p`Ye$}ArW^>ygjc0`jvG$89HA*~ zy)%vc&)JrLG3pVc#DxDf%`BUhrLQwXT$asOlO6YR;`iXVFv-BUb-GF=9@)&8Z`*dvvUGPnYE^d^Q*UEd#j<(MQcQ`UI^mGj;=8uSk!I9JunWTEs z#lH+ith&8@8pXL>+-c z*gtD|T~{~(u+p0}AdNCmH=ee*rZDoiT1f1Rcf{b>Xj-&n@Q}b(A5XCd3BlhE| zor6CO2*S2GfWJK>U;^7)I1kl0dCoXNV%IQ&aN{vc=W5i<-ts(6bHqO2w6U-KA{-RF zYkx~T>V2~%@TuVgpg-*&2vA0|+lF(QBilm5LgwLaGv0EpiY>u-eAqe-&72CL3ZYoe zm9?LBPIs+68xw|joc_ftWd^|rU|1J8=p2CGl-V1ANAQ2a^^Hv#Dlnhg;lpq_AA2WZ zK@7$VQMWKcx19&OG&MJ%CNgpX9Il>wXBtzgRra&mmYWtr;~X>+WIzWHRJ=Zex_;SP}uRW7`>%ZddU+`9F*aU(Rj20D?0Yz{IMn<&-`;ZuwN;Ry(M^(B zn&p0Y_ix6GomJ|sR>ClE?a&e^?guv}Me(ime+2<+7oW~=>)wI!>?8X*Q9Sflp24!C zpsO;2nxN@a5hS;_h|f~sKXj4*clYpY8W=J(^qvtZbUNPgM8O1*p(#2;MF9cl>TF+ zbZrn`s?{)~&^E?~Cw$zmln^z%m;;Kc-}`F&pP>0oB5r3E=Dqd>?FU>VAT~OinS*u{ z%E#svPCCB9L#9vh-vRoFA^?yo68k^46bNU5Ip`D;0 zS6vTI!uUUnR|2ySn&7%e`<7joqmBq5aef|r0tLF4|1l)Gprn=i5})NMX*DdO}MEA=-V}biU?3Ezg1!cx)jPPqM*N55T_ig zLu_y8=Mdj113-hHN_?XP@o&I8QUC`xnZ8+t*&!B}Ew%XPq!AKURDNaUv;g&A2a_m( zVwubO27Fd}7vSs%GFPm{#NCs6DluU22jLGOP9_R$|b>WvUWH}rFWde*NIo}rl1#8-`7N4^RTFm$N(h$wi zQAzAE80s|6MOPTv*P(~cT5r%_)2hl?MnC~ie|V^P4C6(PvSS`BW8PcVVhPQ&*#E;Z z^dKFyfE?}4Zk|-WUU^zoW7siXIB`#UO3E%c>b|AbRW)V|=V@hFUKca}P4>N*GeigdaCw-;c-kZDRb$uCXb3WEm?((dIgJ z>t@6Cv@s_u@>Nx)JIFU$Ek|oL_D6h+dx~#^`NtMj9fTe%?rpWp*zc}XzF99IFdlby z3uId?{~aar^@Uei0|Dxm^F|a59~fz@spRKJC_s=w{QgRnY6Ke2ybHt#exo4f?B+ zTs^UNCvd^|WYfIbXn0l0j>(_K#Kry)qiD6t5%V}N5yK-^WMVyuFCN6h(zvj8=fo)v zr-FrM0OQ+tgz_U-`8DVbIxfbB#nD-aIvyU3hw!8y8|Squ#N14HEXCj^B%w!#vG3OslNDaV z>mnGOG1YR2vq%tGLN(v2+-5TF-Egu+KXjXRdg)r^ikLV8&)~~$%k-!1dP{L{KBo59 zy{ZF_(52r2R^SJ+M5A+jIJWEk=$CA)o{R4HlW@GUHMqF_VVrhY5ZysZLCy`m=BIiR zdaE2$b0;H4yXETwQq%Woxd%XlMpa1Jpqo(_b%MtJNl{_i;*;%3-Q{YxRmc2gq;rdl z;gqPkW1R@Ojh$TGl2%q)ZW(+BP0dD9BT%aI0CUr*9XUs3!JLb^s4O>-P()nQJhn2o zBVIUhXvIHZA5|=viCQm^E#&m0F+qQ25}Qn?V05z>n`(aRSf?Jhv;I)L?034JQcQ~+ z2|Qk-ptU28{8X&_mkZP8iTn!k!=?ONXiR7x$Irf#vd47gcNUbSyB@mkey<@^Uyd#= zcrf&95&j_b=y-XT?vTk^flPFYq3g@;P@;8uk}>OMjML>hwd_2>-|0fd~a!ngnn^Tkg{9CO&b#2n(HqEev zz?#_RrHINw#amD=JQH|wrEcK3#|jS@J2{B@6z%*4HXc?n}vMa=o_XWZ>k7Zhj~ zl1dO>ZEjTAB(D%%l}<8qdus>giREK9(`iNHwZ9CJ2>xwxNUG?f6$iOm0p4K#KlQr!?PtZt|{e< zxU-u#3gLiwQ<5N3)1~XPmri)xuGCxaz_lghy0D6=3I<$qHCdggQ^h8<+lGkhZIJoU z`lj-jj!zN9Mfqn{@*XSp5%zc5V{C8v^VzCK0mQnIIfxnqn#H!o(;6|FRZS?uiQ~LyRvvc97BzP)|1ogCxRnoK2*mi_$ZvlhM@EavB{eG zQ@IDSDv13E%+ZhP1fp5CK?ceo0Klo9Zpc{KD(mpvj#Vz4v!fgxX+2r>8=n5O1wN)U0%pC|APcn`7@4zESbs{cGH*|#_qDX>`H#p;p62M+hAw?FMa%Ci8xc9D2NLDlb<1zu)a z9PjW0W&pwoG_BK!e7vo-4@~87&m(WI)2DanW;VznCGYMHn4a>j^Jxv10T&V20asQk zuT2(7#5sqNRTm%A;2X@pR!MAuk6pI!vNa<5n+qVwVT_*ZYW`_{!{AYj>st7> zbOFuWJ>-#hFkA_F81U9q-X8;N=JqD_Jq%5YP}DB8%Y4LD}{uZtG~68{MBk+0QlA73hBqJ`YYX zzx-?|A{omd&==0<(z_mLXgWSZObQ2jVszNG;)a-33x!+FKM2&$mw9lqI)hr7Wp*CE zW#uB1#{*iXHu_M}+u+cigLdf}TuHZ$7V4h7S&aLU&eI1Ejyo>bRBXb+{Khx4-8#`W zsbU2p5f>_4qislTRMhsN(0jW@YbT%u?JK3*-Q`@g#wLNrt{I;sqTu&$ZlKNvlaV$ezATXqz7;#z$>=l1_)6J1ETPO;AYd=Q=$;TC7#N&*K4liR@{OZmg-$Ua% ziiKjjuQ?T3IN!k72Qh~0Rke{2=1&)d8zG32JUA61I(p+M?F>svrym^o$p7F0l0xxR=%CL ztsk*v09ndM1EGbW`f+xO(c`tJ2d>gb7+w$u%R;9n`I3!+g6(!+HZi6(@{GPb8qCZ& zf8ULrePuB|Z4@;2UdnYZfW}Inr9!I)hqCc{#r%;19ciSEdYykx*~wm}acFefyjGq6 zQ6$=Q%<|S06Ip)Nv%6DLvy2s5=82yo{6$-!V|@79JBi`5X(ray^3VM0{BbYJOuxvh zYlAs~n0efnCYcHObTV#C@I7WYtf0?o!1lHYS9D$5Y2i$juY`*UN+AUghC28t-m!vz z<0D|=N)B~_k6ed=$6S#dAAJ6^Fe!);EkFVlt$CjS20FatND}~-sNT9JHNdG}DP=he z7DzbMAz}O>bXM&Mf5l#MI>mO%L}Hw(^&lb}8`|c`rho_;KL{PrGC@86nuJy6bBM0e z-}vHz3uEwY>$H<0zEtOb0&cwRB}zDL1*?iXmD=Qgo#eO@E?G7NBp~w(P)d*W)3wyE zDUZ$N!DaRqe4_BJKJL;TzQs=&dQTPHtk}`V<{JK4dFdT+;^-`s@K=|GHWaxLxdfo@ zKa}{13p;i_Yz73Gom<>vH1H?)90H16cVMjI9CEA9-kVv#^8xa52oKr>XMmVT4|5;y z-VsKQ4PBeFTg4I!@kKBqpN=0MliNJTELqMt>mN64oRrz0c+tSUK1hHABlWR~wmmvo zv*e&B#ENYl3@mf>Jc(~!(sKQ7v0)$frHZI2sJO}z%$r#Wc(a}mXlT_*1r^hsJ401P zHKF7^S`v&r05;#seo8q)m;Rb5@7cPl9}9d1xI^z^*+vw;YnU` zi}0g-Fqv!qm`iMa&}Y2nbST7*!u0TZWCtfjt-9oPuwpaj<+0CcdySd15hz){(KHP! zD6a>k>#o7G(J%ajk)U|=95z4$hXg_f^w`D9l~#bnv7(?7yi0CR>?uh={m30T0K34U zUO%Y+!qC9RdVJ~Sm_TCNk3um2uLxnc^x!wy>M7En++Z20w|l z(YBuc+-mPi@pbNG%>xbJ+^l>TDFnKJz3hZ;?MvAq_REWYwKz;T=4=RGU6mPn{d7sw z{c7Ja4VR&W(@zUDweSER`}(LjT>zQkM$V+c@CA#1rlL(FZkv3c5Z_(K>jIGI*>t~Z zcV>TS0|_92Ka0keMfp3s2JQD(rNw1%=K-i9l8a*f7ueG80_W;vI>WmBASS%Ck)r|h zB|E5T9~^E0+O$$#qzf4d{#q}re>>dLh2GkwP1jnclJ;$fyA=R)r~Wkpr>++d2CpH2 z*I4s9h}j;2M-pb_Msm{*eoGeXuv=$^M=(G~!yGE1={_xiNOOyk2=9V~9u-*|4` z|JALC4DPiPvK1>1%AhZ48EOEI^}%WrT}*I8_1k`LRLL6FQ*ltB+pVacKDc*{_xK?= zV+P(_K+j<=R@|Br{%g0va%MbqsbZ~&hsDB9a5e!n^6`Y{Fu9@YUD2sXSp%qKX}Ex^eFsfoG|&Bw z%qm~xTG+2DE^Eg0a@zZyfWu3Q#ni003rR)~)2H>1|4dCh&m3UBiDj*U5zuq_te1;^7OEN#d$#Wy@4Oq4Kd6!63I>jIBdU^= zUSE1Cb8*>wa%A!A31?{M@##w3rC2f*>L%UKYjE|-7v~p4pA`t-AYp&@2*>1g$mR1l zgvBpuoxk|?$uk*=hc{EIsO{V_NMj*;md@CUf~xO>3s@~9#jc};3G1$QWS7Hkyhxf^ zRR!04v?13#H&yDFmKP5xU(qI$z%NHKc@|8OR~OLJ1uS~5e7%IQwJ*4kwv#bjUc}JB zb!&GoX5^XI)?!JCQd2@I{|oV+dCO^ACbr%!4%3qTcONwF*}G~wy$|L`g>X&pkH2c@ z(?<3u%&jYnD~0DYto<&d6V5RkwTY|nF!?o-B(&L`Jvf$a7C|yx-}Yhu#mYW;`rUY1 zxa76;$;OGN%I$JrLT`CQq`-%wr^}VT_Tm`cG zRNPinVOShmIB8=_F1my}a2z?k*Ta*(h>Z%9xu&^ubQN>6DLhf!&b+Yy>4@hfldtDU zw$^uEj(*Oq7$ zdV1co*Y&R99nrjEO*#*X-LK#RIv9Ulf`vckq6$}Sr_kTTCS_@OvfS&aRM~IgKsU_YHesyT>#lOjO_EHi1+7Q&-}ir?pZ4~toZRI; z5AK1F{|E9B<*T&~t{Idw4O`UL z3Bl_`$nvPjc_!@<-XIC=^gLDO4@$7w3tae$h+q@Sb2VGQ)>vCU3b}4^6Xod64>o}# z+=m!Eu^F%xop&NBabUI23L~JcyweMQvGaiT`+fV?^{<=sh}ZbFSHN!P{7;WY_#XI% z_S=YpOBm$JCURp`TeYL!EU;USRl_ zlyO-Hf)}Tk%b1xccfS0TGOPF zb$8qI1n^rfS#`iP5h3r&%4p%jL)9~YDIoPt$!);~$w>g2^4p!9YV7=|f30EYI9(#= zO|;W&`xj4qqYjCfpcQ)oc4hEj^w$qNA7S;3f!+Znl7Dg-YvG6&Du~{ITaFbgiU+jdO}y!edsHIQ?= zy?@j4|Fy9Y!-2`u?*U5@Lk0wmnKkM{t=te|~UfoSq zqyme_f|vickHRF7P9)JYbmYj$2BtLRvkw_|{R0|n#Y4@&s!0=-GYV-BJOdKHA z%pXXjH?31sBT#*Fc2`tU8nmE!yenEG>=`jw5PC-P@?E~=Hsf`vZ>IjA zeksjDN8xDt1;tP@T&m!AxA^pl0>$K%l=NJ0DtH#ggg_#tx$fh_JrWII7olHLz%MH} z!1`=XMxw`nr4rzI0hzf6&`qWofd3};K-P@_yb{(mz@Fku9bUmB3I49h-Xw_&4?rmM zk$~6Cp{x227a&6jd$j&YM{_XZ$(z=C|Fu~Lvc&f;`TWRU+h+G-EG~Gc^FT*pd|L$L z<>Z;31#v$qb0j!GSrs&&ScNtXf$o7;ND^MezW9v*5d;Ar!3cijT5w}P&;u60z42`7S|S-b_z^dFJAhLwD4K^hml&^)Y~|^5hE(l=r8r8j*Rj#Ru9Ga=XugXOV$)!!^g95 zb>bt?^GU-u?qZ@gP^zzl^uW*L{zv&bQ(`A`xXXJG20jHwJg{*q)<+JkVcbN!&7C5r zB&>9+z*su~_=YB6lL21O=9aE2a5~dT#5%V@nnWLn>7UnG0$aPHb`El-uk?tJIFDQ4 zz{Lp%KLx@!ga?evLhXH21qdU|jnaUB9<%ume?S4h_eqIXfAwtYV_oHH_yC&EIr_`)Bz&=D2! zgug<1Fh^d?_7z2S;Ur7f(G#f#ht*!U>j>N0lWXSNIm;3E?J}|0Leu0@%KQ(*)t%Q$ zMaXMXcFRjkJs9-JkQpLOrj~f{3zvxhNLbPI}ilDa2)GlEU6g)|^d2I#Io|SnULb0js-lK#e+qMF64Jue<88;j5$b zo#m0lEzWHQIUOA_kf2)X5}zrzwJzs1AR5EJ?lb+)7u6c4Vn|h#XVok=F5(X+QGld& zZ0O#6U?NBJ^)*B1et%w-G%Ie9S-;8q*YVBsx1-j~-|q4O$(nFHrTTJQuAj)p)E0x02kU6H%;Bos@#vydh?TbFOW3a3%@S-v_zNTDX(H9k?SS9CM$-J-AkrhE(o?RlZv6CZaJJ@&`oY2v#etMN{~4_f}*5LtAy?@!cv+AF~uHUjKGH*xZ5;AK@At9(}yz;1}tA6f+*$= zVWYp$!*aGD0nVjkk1FShM^>>yU*8Y7bOYx|+DNwKTj1p0Jfu_ofy;3sU%+v`GKBI~ z^ue}ijP4LcS5)wT10@dc4dnbtozZK@2%A|+E9n$9amdu%_r)(vYPp|+&_f%of16bo}Bj`G0?px+N%i=0u_d#pwaEbQKYy|4J z`FXl*`R4&E$&3$l&=+kTcz+v{o^)xWob7T5u-MeZf7{lSm-tQ}o!_)xiSMw_8ur+u zdMAqma;0?qTDjlt@_axO`k*NOPrv{fV*eOg=(GP8DS7;zDn12)qwgp9#sK7OA%}XV zAz+EKoa)X^y~UBO1P}BqKw?UL{bXL}LL z3gSlp-h*qW%I-%FCJ)h^u^jaw$;}z|ry(|tWQ!)xP^=mS{5f*sWIX($rMrVfm?j{mhfvwikWPPVt*SIdE(JYgQ#e;DDWe%{%@Kdr<$8 z!hT3TCqQsi->^X>st7z3EcBXLW#`xq-}GFo1?}ZgDNl(XSY~_cf`{MzBvom~q%JNv z5y0i^(*5@F32NIo-0dEZQ&qhq@37~3(X9F+$KWk6^Q9^^e4QqpHn3WP!E9Yg1m#HT z={xI_5+*kPF87JYH$Zs%llIJ<{fQR5==tz{$=Y_8)Y!ejL+V4n895Zlls#c6KIw)} zN9^@|DEF1LjmdN$ko7|MCaPo5#-Nt`MYxAe;g!0UU$T zv^||ZaWs&~c@tus_a=Rq3;*t@^`h-Jo&7J_u!+oTZTo*o+ppU44|}haMlmGBW0>fn zVcnZ{=Wy%_lk!o#DG=EvNUG1Wyjz=_8CO6$YLr%i7aY7YEL{8e)w`Rz6)eC;BLTFK z_K9FYlwzh5^@yWV>B!*{Pz{5#7$Or2Ck!0!Cr;G0eO9CFllM7ksJffqZM4MFPnY*G=ne(mpHUba-MYku|qGTY)|64id7KP3BCXA1TbEl!|bk>Q}<;T7Us7EFd zIB**$YeyAz4<}GGyu>^e>%^26~gcrA`Pq4WEa>pH#yggZvuF(*!1tB@q!CN{_GDq-$4L{j7Ns zk)lTn8Pu8J}5OBcG<$8J`z2ZyXAf{X8Q=^4?sdW*20l91E$)numF)E2PaQTcG z26urFQZqn?F3rK7d5R2~6KTA0D4@f|!P`9NkXZ3nkJEt_NV(n8pP(A75eAt*%f2%# zi0K88t3W7RJ%du9aFtjF+YwdS-F3iieE-vyx#?&G8jh^KMGn1ToP- z%3lAWO@Gc$eNB-9Vky_C`TLfWr&HFCQZR0*i$$*K<~s3-p>;EDu@wZrmoctM*`}(= z{J|6X%lsO>J9G~u?x^7s!dSLivCIW?p577L@h(vTS^9+w#Dj6O{!TgLe_&sRfuU(j;{eV6wg6o9q{( zznUEVaQXZks~mnZRPtO41%(S*N|-4rJS7`4m5Jq*sYd;6b$(Zj>awGjEiFNggs*n2 ziFT(FmRlD{i&c0-c#1a#Ir9B`ANXyAOoQGrz^d2+8(cs}Ya-%9#x~WMAomS`v{lsP ztQ-wPW;ZWV69g-5iin66oS)y(_g;MIF>$W1YqE9LB-PPfZ)^8tbwqz&vX9{5nN%?X zqw_C-CI5U{q(#SWq=gO>JUX9?^3{QhaX#lukCTxqzQtGUPPTfoJxQW59IQJ!FGfYs z_c%oG@`NIPm-N8He)5XX6%GQAA^F4>-+#HlsfaC(1jv*A{c%EIQIXUjZ4)_O3z4@b z1n}%8K=aPvS(3i9%=%2q_BzWNc*J4(Pi^>*_8mj@;W~s{tDbLYWGkI$g=#yJ= zz@IC;`B|qcg82#o9gZ2wG?m%f3ieG*ir^)e^N-%$m%v$dIlIl>Voe4h&UfZ^NaWkam~eY^*rStGf52V*CRI%a6^^ z268msOt$H;S{qe&KXKxsXD*zaQz1vj_7l+Dq`2YLR>hAfeal_$*AmY29BZ`{Sz41I zQQA^;g_>c_uvV^)%52p22@CV%r{cA8*7Ucc=IC!tecaEO({EtAwp_IO{U`=37O zJ;{cX_Rw`1%F7*Bpiu@aEAM}Op}8OE5ar}T5&{ZxLq^+-GK6>&6K&0VgEJF1rl zFNxpyz9>-hF5ctOt6Q~xGhjhZU)1?DjjQH2tNiiY?|1P)IQQ}kDft8?PJM3n+`IEy zF~PLAU41eLTwy>@3SO`=u7%`1jfl646VwBMI55M3jf}Fu?+C!4dWMO1aSoBeGR5=B z-n9GNXLw}8XZUWbYZtBjgt9|TW0Rb>VuB4FFI|L$WDA-6lfJK;WQl>&J3Sh~1)~PH zn#~4-SY?hbC{w&`{PK;-X)Eakr^Oi<`5e+O`AuR@vxClqt}^5$jxl}^cGc3VXVi?% z>_bHh)mxh})Gs7%ez{f z>&~VL{3x0G1s^8tj)m{${b;f{Qk16Hp^?{i&U{sKtMc7GJZBdZ24GRawBh3hOcL@@ zOlHE*iZagAp4RQf(!zsXROLoz@fBCc;7%t*zo}YvrgPpx4vBm$MWEwWM6jrT^!zvx zIN1}_7#2c_GpPwN$+Vlyj{GixlrYy#N*F>S;<2$}FX%Ha-Ue8u9-i~XSHheSY0Z45x()dv)_{SA?`<*y|pJK}Ds$?huQfJW;32$5qXl&cn(h zVqt6{mte`Nis>}89uZF-VK=HIu)UH#cjp~_?t;{F5O?aQ#pNlVgh@|PWb76Za?c_7 zJ{~*^zy7mI-LlVn#pG+u`j7LlwcEirFTuJxkK{)=S@<4CK$YUE5rOvF6Ms|lk|Cv^mvX9W$|(x+*DoHx^%B{ z2fgPMl%Afjv@(@yC#S~uE6p~0l#WqSgpE*}6e)--R=)%rlL(DvDi8*6@KB)FJQPDf zW>3%Y{LfSf9sCbe*98>+x{t1LftSvc+&~pnIZ8~8nh(JLLUz(ehc zttx=H#N35UK7cIe$++aYl?l6i#=_7D5d9uI?%jNaPbk@U4c-hcV$&el5uw@oMGLNJ)@aL2P~%JlEK1qUDOO6xr_E zK|jpqVjk4`t6RoA4t&&@(e`WbQsoO;?VM@y&e`&V7nT#($@2u&R?wWAg0#3v$jw;i zOEB&Iq&Jso;TIS$3Ii1P8IB#$a1iJ3QLRIvK9l`fdKqZ~uiIx{zaoO{3PLr0E9}^*|7g3G_ryKX{_|0puBR ztkkb)N#U+R_`x?SU)@YEM<$$~2Nku&vHi`;v`otYq92$ZC+Asw<{5{+YN|oce*$|A zZUaVsqpb}u;Dq8Rn&nZRu@(oNb@iY`bw#`$sLcwJLC11z%V}O5?cq&v_zO!%2re8H zlA)x}^>SpGz=^_)8tlCqDJv23O@ZVW5YW)j{mZ0VLP>c@7nKhZnY)A{91)+wij&! zZ}DZ8;szUe4T_oIY3pCl;B_eV{j0X|!&4)nksfZ9aCrjJ)75mLV9{fYL4 zYV0#n2Qg5U=)B!=Pjkvy#jEdEjjV3@dwPXPE_c_%Re=$t0}m4;qvS_yxUKiob% z^twuw@iJ4{rh{+r+44Ycruld!XQICfDUUh=p<&rm?@!!vR~}^Psryx{(~Q}_8|S8^ zR7jI308Sk67fuZDA3w?7fvyZfj|fIpB#89>Dzo3GqP8+YK&1+SAD=+Nci-(Ih{INZ zM}Xi|nTGm(=KI&EU(I*K2J+L1{*cm1G%48NH9mAytCW2;)1@&wkdC?z5u*r3{<%AZ&iAiJQ3JZe}`0#o#HrWJp9XvLa$B8G}ZC+6$b>It`r1Pcyy; zJ{bbxZdR-ybt~ut=H`D>#YgY?PPjn0Ds697 zLuWXBm|(k&4TA(mC^IYLFj!j0yviz`q4)sHIbrKL7FF1rX}unQS_= z%aS&{#-fE(8WzGn2SV8SK>b#KvgYc*8*&Tm4^L@F^UbOPevZzDG?PX9nDVLF=SspI zEvq+-TAy6$jO{M%cob(Vy|vIlCL(@?Ay|~ipoSq?z4rJ^>1wM(V~Jo2id?(ahQr#R zU48+l?FHU}O4v>Edvb0o;~A?FBy4l6@}}39#XmaW1kX%we!YEF#I_b={Y=r>o*!#3 zO(Hw@Qz<5R`I>SCBCKv&b9D#qF!2)I4=Xc!uy%D?IOYYHsLhkpIKK7iQtBq$38yV& zk>9WOd?Ni$OF|1{l?HpeuT#QWQqGF14$g{JM(vM`yI6?CdAmKIOqaXv3UYE<95^qu z#l{8sbgfkoOgZ4)jmf@kCQ_+nuRgmQ$EU+a&O+W6?p+!um|`}{d)@L6?L$-;&lvN8io7R-|oF`W9i^YiD8B+_ZOIjU2KwmmhTz8<`qO4-`D{#uST-iA> zH@Gpwe;P#RKj?(cU~rXIb2tjxu#BncJBl-$+3%Y!Q>6gq!?aDkk8V4Z)BAB`Gs`0N zdv7agQ?2|84kKT$@E>(toJ9TaYagRLb{qzSnC!E`Ca(kDY{pnKH$9_50Fa_}Jj9l6{8dk35b(`EL z?^@4iH$#Ay+|8#ynhJ;+;QRg+nhshejCp3Y*Q|Gp}D*M7K3z)Y!vzCp?+M;~&` zZDpq%Hv5shb}LSyWnXpi*7V6@`N?5>vtgyG?`AGi@A~bvuY8Hfa*P(n65ZUWFryBA za41e^jLllm5^r9MIo?@5P3W!Vee?+DeCbqYnfz{R8roirv(Hj@WIw!I`azBxb6vAp zw8eV0m52Idi)oEvrTt7P+nn!>-PQx+b0X+zA%?PifvREE?2j&bmUr42 zxl01*X-voF*BFy!tLb8zY?JBm)DdUb8otVj;}PU5VsXvWD;y(b8d_f#w2nGkm*M*Z z(`vmP(_L)HqIrRX!$~_c{;smigEcQ=>@!Kc^COoW^4qPwJ5}gJ{;SsniN2D zchFaSRMg9vJj{^00oUFuDOVd1M{@@tqFHcT+&7;E#9Ht=|2)9&8Mqo82;(>y2sa9hTnpLTA28jf`%bP@a-2JT{JVP& zh1jvroY&fKtnyWRJ3i&0?M5>si^-2$h|*ORL61<*16dKydb*$$f8~~BQ(l<#@2`g9 z4&l7V*AJ^>e70PY7WW6LQ%#@yGmwb}kHV6V=@J~s9bN{EZ`a?d5~Wt~3b<$-^a9O< zb}HR^RI)rPOx1NE!lWrC+t_J@b59iQ_+6f+@(B{Nj-Ra7iFNL5z>rk=RmhaT{*6X; zt9C7DQJ6`H+;meM6JNJyi~YXP|J+aOAlX<2wXa&{iFO?E=x0-pre#C_C^AC@Je}9d z&ySunF|ONf9rfh!=`;!nZox$1osw@@OwW<0t*J|em9qEIlB3x+kE;g{8?p($d}Cqb z9T=Ev2p;ftnmdju+4n8Iy&$@vRra;q&-|XMf>s0xntZplO?2(+{{Fx>%?a>-!Zo7p z1w`rUuJdv#ZcR~q+~tt_PJ@~UOK7H%(02r(^{-HKht6%Uoa%SsYCa2EQxj~vnU(~N zMs2yGYsJw&ci2P*5S}b-{At;n5!lu=dbiUR6N0)@o-Q@>H4OnK9x?K+GIB>zG;u=y z4O`6mO8n~ZlbdT_4+oKf_=X*e8t5;zJMI=fXp?*{WT$9@e(N0h{0dxJ*IYA4l)XmH zwYv7>h=`)WVNH!3v(vmi`DQMDojC_no%gb9dgEc)o0$0pt@@?0+ztZf^^RZG4bF0~ z&V~JfhxMY$T&qrBWr+A+)0}R())*dKGp5$8QM)eCPTEygvyP~-WyO507o}6leuHuT-LY#dsDDTE9+`fM1sG}c-nMU`p z%%HHO)jn4pT;KI4p9s2N^WLBPj33)9VWxq6{*qE>+2dYv+YB%NkLOK-mE7K+o_R@8 zPJODcdnO!=D8P{IJz*Pb$yto85a(x{q&|G_p*#BSM_U*u56)RSph|7cvUpuzH^OYH zA2FKIkqmlBk;C0}WeX+j1z&$8y7`5~<6`~~FPwMU#EMv9WB#$LyY64W3RVew3N~~V zx+vjKTH8s(+h`4Y(;ZTAIQ#VLneO*>J$o;{uqE%>&U+g;>ys*CXBKz&`L`FF!z}y| zC2*a|2>&CipKNUaCpJr-y5P)?!C^6Hko$knC<+Y&2iN9zj>WDlQQC|G_qN~Ra5OJpIiq6YYI}U3y864+RRlJ= zAKqmVw5F{RjW!+)_I)c|wq13_&!DD}Am;nz09(o|aC}{FZ#wO(A2(gh-<+~Rp#z@g zeMLL7g%*rr1V%6d6AcZ)3nuH%ZM*{aOIJ6we(zpw>o27vd7*<6fuH*n2#eo~-GY9nr&I_9{^u8#_ymv9kS1IC4S)3pvENO5e;=3YmXeDl28V7|qR(U91p zOr6fn!=vb>nE6@lE{s5Pe<|9z4MW@7ZznsSI$LeU*rn^Tpe2TyVm1OB$h}Q%5|19M z!_b6hx}k)O7&kdk4&O{_3|nV5*M-gdgwhS-(L#qha(xB+F2=|6M`@+Ut`zdN#~Tb( zRbVR_(H1qf6`iIGLdK}d5NENoKVdW!7!zDjLQ1l(0t~N1L&2KszbwpYS{$U5cTtG^ zmEC^l`|JJc8NL|I6+vZpQ`c9b2>^Re1$M-=Ly*7*w2w~CGv z(bcV~)5I;+ap-Dp0zGxfV4_>@n|0)j)#*&|)`>e(+;&&&?IO}habS*Xz4dJlufOd) z%C0Q@^a86#R+hmm7}&^p3!!^#yD}6acJTX-%2h3*bLWYC?p;t4S;q;a5$3=B=DEk0 zEj^V7C0#5l0mAedg>RSJ%bGs2>T?9UK=1u;eta%p0PxXbokIa}z6>@Ahr_whr~~JdcSH-tr)kdzWm$K+ir(%sxNnyDX$kh+ z`|$iw7OR}C$}v)IssD}B?%_FbMK|%jaA<{xvujKfBfsBnya#`Nfovkng@zF2tkT@? zb?+kw?uT>#)sG~>`Kc+xUeF&7YFdxCXN6d6{fVpIGx%!>X7HvDdCpwIC;f)gbNvGJ zEs{L$SE;zWYg`U5cu>G#FjaTIgp5X*?s{=)X7Be)|DB|qbAQA5InQitm!gxY0px5t z4zBEo=XK<^|AVxzj*7Bt-&F)9L=c2gKtLoUN2D7;q)WO6DUog%S_DM8K^hUHyJ6^V z>F(~K8_ve}`~A*${yS^EYXOTTGvo8@eaCfO_r33@QDQE|3yR=#*wL(C#KO|rU+v5P zk44B!&&@S>-UW>}a(NXCeqSIEDwvg@Le7kKyrrUAsohF;g?25S&%a)!R67*V_5mS< z^(Li5)Q3Y?Kcs2Se-VY)Sxemc zISh)4Y&}&L1jVW+xd!mrh*buE&VRLSU^7ycP{5Wg`IEvnI&3mD*<05wD<$ZVtrE`PNcnG~ zpI8?v9uVUF(|dC_#4H$-`rVD|2i~=5Mrd7aGd&p(-1yU_9rm2Cy0UqZ%@41f>j8W%RDFr3@j|SF@v4+ z68_ki$TyJfzrWRp0$JYnZlUcJFd>uK^J6ogE+3h9&F9UxHFW*=%ftwl>9!^J00Uzv zQ_0M63Tz(+i2#=R5ShO^C#Yt`x4JWY^Y!(`7;1X-Pk6jbh$yJ{2Hv)nf(mt+LFAWl zzx8A5G0|q9JMB|fHdr4}B>neGr3{wpwja}G)oX6KL4BX()}I(jBL1{gmHNR{w;J8O zu^>^)dt`qvipOKR+TlSnlXAa5Uec=uthV8#NME}2fgG#NT2Mo_I|B`z&$n(};@^A; zs=o}$lfDs$^cK&hDLr@G0s{U1ej}RdX`>ZkWd=|_jkb#x;lOq&UL@lq3fA7y*v{Lg zleau^SaE!wUK(#Vo6S4$uTA@Q&+O}$uo}TB26+88XtB^5ijwW7gU`DXRwD^XVFLpO zZH2(J-wA=B$Y8Fs%f!Im5%R)wY6BHI6)d6Rx`9eZCvB#rHmDq_q@kd;iI7EcBMubiR20@8a|w)B!vXTeEZ7Dj>dt15HDrZQH=ret3H- zAyas(Es31r^K}#=e(lz$IJf^(Na{%!K_^7wLF5+Hv99olQiUfxq=gh)y(HDcW6GtN9z=!luA>DIC(Kj-~h zJSt{|!sDE@B4CT`qz$@)FjVunN~@t#2of|5Ylx1zx%MA*8Tdn8uGAJ4f~6 z#am46h_$rO{V7HXXhCGR3-gsC85PR#M&7-15+oN(VdcjXufIYJ6OtdT=)N$~{y8MM zQ)Jj1pVlED{Yxo(bTDt)IrF23i(;uYTGe*c<}1--)3*-gPTTimx%HTGXOa0i3bmR> z#*SwAS(=6MWr3%ssIjM4(2|9u(h`T+yL5`L1+>&kDW>f%0wb99?wcjZUHoDH`VORx z3>sut2^Z^bu*ipsv2sz-&InpPxm8}1-lUR`{U6R9y6ih+Sa_7Occ;;O}c{#oGKV&GR}HsOFdx^>tdQBucq_Ug z{t_Dh+k0abnOn+KI2@0j9b93Y%+U3Ib10Twt<~1ocYgNlnLs(W%jv5~2KfkMO(k!0 z<8di|78@m`7`k0R1Lw+JybgdQ*ny#J|J>7-O8F%k+#fi~k=Ba6Iks;XT0TQ8%VWRu zd!a>lJ*Et2-LGPx(J_i(qq^Pl-17M=Jg~}!jjD{s{A8#}k+rN~6Yd^Y z9zw_fqn_0&3e-9)O3OH7!_J5;*v4c}ZJh%5`<2f=0{Bn`FGkLjvfst4jLCKj)08GJ z#@?68Uri`#Afku7?>%_b-%RF)-BH#xF2iZImY6whH;Emg-Hl=QBA(xNThrWVeWF>q z){^N(BH$N{!MPIS6wOd0#X0|WkMhngf2A#JE_7Hdo5}mD^CJZxDUu{UXZD^L7EyCY zvb(oN9p+yTK#?!ati)EM#_}@ADiSU!WmEb4YYS7{!5!*tF@}CTXl%cWXd@jio5hK^ z_oXL_9qP8e_K945Tk1^+cXHSjbhKIB-*%f{s9UcI=Eo^%;K@ozPy8%mXQEPGYPE6r zjEH%|Y@$prTBS38|V(w#qle=l3jEP*Xm>c^Sac9`bC9c$fQDH%JBo*gTf#^mC+1p>`>00C%1NNO!j+GgcP{P1XcZeaZ`p$=f2u{ zal}dMpL+gX%C;*FPBSlV8Sg=#?RSp>uoDYMjbhXm*>%4ZnTvUXrFQ;(^>n0O=*Rr8 zSq$FUqTar-*Xw77q>;O#Id<_E^8w6H+v1-*esCAp5^t{1+q*5??FUhN)!DZdU1kI^ ziq&+lW}#d+4SsE;8ruHquNU`V0|dos-UkfyLk^+yhdMlB@BU-DZOky-PfI@>yagSr zc||u}0wB+~$8&2`aZA4JUEVscFAj-nSwQ;J17)erliprtr>h)k57&x2zr}Of7izRyoHSa)h?T@!*rO zI?GElF2#ubh>93v%>$B_mKOP&>nnw;(?2i3W!d6=Y{0_O1lX2l5s}}_M6#M(hS+^l zmBG2HCS1`-Fq}A{J}H%Z72M`7T<1^xgfND8YD0!jp^DNBLh+=w^336Y{ijP!r$c0_ zUR#htH0izN7YFx@V7|Wh@=4pW?^-@(D+xwMg$VB)xGxGMy~6I|%8iEqXu?T9A>$PD z6h+V?C`oA83EeA(wLJFc4Ox1hA#N&EY~Tu&Riw7ZlgJZbWV(wf2* zD?e~?GkQ7hy1e#K&Qqspd$o#Hk_g3#UQ{lnBUl@!A&YAKF>J#ACu4Lr+Vz0$mFZlj z5T|QK)z~ef;kbK59z~XiK)Ptqsgyl=j+edb2IWQW@dggI1rmLXOXv3eC)UKbeFy9l ztk2wP;5N@mWFOJE*!nqPAg##=gY~1MmFlFDgIIZ&1VnE0r=_pW-}?0m0NL z?8}jXD((DFg=eH(XwVL;8$uc4pFs-qhoRI^l1D_qaRleCg6kq?e7SzU+fzMzC`AKz z%sj!h(suMB8mfskuRG%IOoBpl)v7~hoZNX6xb0#|O>PM92&GOC@Fcz^&9Ftmj+CjkZTk{Z*@CJgdgAHfg2*C z!0qI0^>0E_Ff)5&wy$0z!cL-cdAy#tmRmn++lBD(jkdy%|1sUgySHvWS430bxM@$@ zx`^hh=HehThI_!5qJS*go6WV})93$bI8jD8BSb$qehLT8Fhb|{`+fVoS6ik?YPrGL;@3B9V+E(eKUXPrQG+*L*bF}43E{~u zXZxr@R9q|EKg&Xi`i4+we%!YoC|wr-C&?Bve<6_+hYX5o0b1KlUkM*E7|$oa15_eR z{VRZks(huEE-T$JB?db-ww9Amvg9|sc==b|H6B6Inz$128l#VgQbe#ch)E|vYWa<5~b=|44!`TuX(IZ6&-Iam5o1Yry0Jlsz)pRcqr^`$)q|Oi4 zyJ@v_Qk~sXI&H8|stDcZMz9x=8T3YouXs<0CcoVRyy7w)y}*a?c&L$r-z~EbmeU%v zwYxcQfc(yp`g5=eXGUa{HIMjXYhJ7N2A^u#!2njD*h|~qsRFBFO)BsJ5Nxs`NjPpb zg`CgydC-k6Md6-ezIh+ofbjN9xyL-fF6Cv(&5<9!(RG!eIYE5D)wYK-L5m@l~tM@oTt``Dm@5v0N_KH$HY5Nb>W3G**EqgwI`O zyv{nr{3j#iFN$!3cT7;d-r1J*BDY{HtvXSz`YrD2^jjF}_+~eVSeGYrslpwrG|;j& zQ|_W5f$~;%F$xm|Ejseld)=4gG#ZjkyUdIH&4yrk%XoH9mq6y@W+ZB1dg5~v*6cC@rgzUxIOU) z52O>ARWM;Yh}<+9%A>qc$hro@!x&ZM8_v8qL&sk9RW;>|U5cjlCitIrQ~)iuFi?4d z_EMY@w28 zxZDQ}wWXujALC5f#HmJ{VxI*K0Bu6P3#zax##3+{NC*b>9f4h!7Ffpxz#T_ z9>z5}*HRS07!&(oe=19F^m-u5RPM%{Nuy}yO0@lAsxbc;XDrNn!e_LQ0?-@BW9^1I8$$X@{Gt2Ml4P_K2EafT3SS#jix8L)0kD~ z^bMN^`iXIxJtX3nnMmdv*f5XARxgKnqOgBn?uwKtTeKxTS$-n>ml&>k{YYE%Eae5{ z&w5^okgMQlfYM>(`epP7QrM@SSP|(s>O5qAJ@(VrUtn%$2C*z}5mIzDa#Y0S?lgz# zFCkeU4pw>smqRdaRVuf?N*1j$P}SN~%Hq?%9^IE(&gNYOkA=f3H{9+Ucavy7bC~b4 za8IR24R_wH8XvwXe(u~g8(iM@s0hO&zHLDIsV5nibwE{-f0w^Nb5=Juv(-nHno671 z)W?ml;+wvT@SdGY$nc-r?k4-)FJmatX^@_5BTaU)Gj2bWyFh3C_BW+G^!U|C9x2ghL(p{vV-ewNrvsiO=PZX=CbJjFG!$%eG)8kOMg0}Im%tM zQ}7Z01(if&YvG)55c$RDRx^v&Cq4ywtx>(q#Y_BV_Z4!S%5T@oOGmfE633ot__Exw zi+$Z7p{8jqu_wFnFJ5}WcYECkbYyk2L6-_z>u(EcnLPr;Ww8@q&2g(w1dHLLjlG59 zq3WAV0QHaYGVC%Yv2IseW1gLRCv+G-1{1QO_28@u!6qkj5- zk|rXEV4eIUMaYD`+;6?Nr2QME#IHOH{1x7hTs;Wv$AnS4-DH=9&N)lKScixrUT`?O zWx5_kjxbERspt&lns(%1y|(#Ty2*iN+VLLqrR^i$a^3vjE_EBM`m2`!4@8#f%kp1; ztdC+C;;(p)3UES+X?&x8f`Sw>Yb{q z`x=gA+Z(64DedM%m+&Y z^&0$VK$~1y24m6}JOt7!=46Y1ai!X4QDCgo3G3C`w`HuwLr8}0bfad z=kWPJ;9au&&Gm<|sQC15T`qHufsX_TRT1dMiUfu-P!tA+qApfkO{N@q-OhUV>CDXr ztMd1u!}c{`qDJe&)`HpEmz~xo`1x7lo128u2h~saEJ6q2bHLIDP5`-{w5SX+uUS`D znKZ?1`6gdJYhBZB@!~*uyJ`3@iAzbmlRs4LvTW>lV12U9@gaIAAC(F|UJ^6CS4*W5 zxj9~1<3IS@z5LG~mD%4#X_9g$kjaiqo%~vnt=4Gmf=F7e0VTusc8>Mgp2-X!<1FKqtOSp!i4SB%kn~O9g55#Ih!f_(zNXqJjEziHtWc#w*^SGhD3r>Cde%pursnB`;1|zKLncnN5nD&=IwGkApmql71 zoAMsvo$lo(1&4~|4bjtIQ((UW)HRzFCjZ|L)$mJJ5n!gUv_tu5{u79ExM+R1@~4zlsc|%CxqY z>H5pEYf3N%8_-L!cY-$y38Z4LN}#&NP1D0Pu=LOHdjZZgH?8$`cn~*j4uhSl7hZk z0N@Eb9Yjx z1EZ)MOvl;wAb)(zeKB%Q4H;{$N7@GBhC(WK2C#$*zDBpW z=O#M{Tn6M3(%<2|&^Lkn0{$)E=hj4PkvPR_`f))x1|aiJW^1u2$p`^=m`XzVY?7cm zqlUO_xuaN~F`f)r-uuwoDrh9?@7~kE+L+Vg_!9hvYnAVAwL?L7!vkxP?#cz@1)WiIQsgGzk{T~|J@0ez(3=*<33hZn2 ze>qD*qQGrsYk=QF4h>p;vh^!k`x%w23piHYe88TM+xyhhs@tFXR(3|9!=L$O?`yjq zyzKdLRSj=-i-eEN_&p-yCn}kv8ZuOyNBBQ1#j%6^bxWMP`BtWfn`B~8Ob*y=gj>u? zS;D+SSYL^2`)BPiBAaZvi|>i_J}h@VmR?wLjX8)oQNsWjH$QIS5ctzQ?%vKs7XcMc zmq|=9{iQLxBd@R?+@b7y`Ur-c`iDDp)U!Tu#|gYVsh z{hsbF_hcT>yr5>)a9Ha}LKUttvHy*_%&tqwXU~zHOdl=jB5d{GXdiLnl6g-&NDNLX zh;h-5LiJ6OJ`aq$gmXWzgP|`1>@q*GAaWExyu46jk^pF`NOC8ACfX8YQ1n7GrXZT= zYRre}QocQk)KtH#^5S#X*+r(~!AgTNMkdJtx*gs?k%43^zpInj)f#5G*<{p=^KOkG zp|cvT>YwY7n3}=@a_=UDd69FzS+Ftxm`SQ|n>}*7BoSSP43~-$Wzx}yJjUf8R{&v}| z_dxC3Tp_Z*beAEUelhaXwr3aTBJAh`MS{C(T+>%&q^wR}NDA26VTxoCSWpRZPvwaFTFeTB2ZNnAzliwX{KH5#Z(> zzE%l2m-ux!svS6(r~c;J-}i75;XSlbJDK4)_-)~>+?s295E7Ji1c&fXFE`0PkHk0o zwD681Zg%3lFQ)f(uZw+ZV_3Z(k@8A;W3HroTva(0{X^j4qzrF>ER+&fpICFTuD3@X zqrzBpA9j^Htq?2+#D$!WysM!f8UT!MlK*v5JJi!>KL+WUlk}~p>bwWvXDljmy1tth zX~yuVcaOg#(B!@yh?AKLhAEv$_7NKuIC#0;69p%^+t#ZHrI%{bfiR)>u$38K{egX-y@UkFrLn&;0(&$0ji-P(YL*Kt;3`*4~3r zxxrdJAVbxwy>S`vLJHl&xxm9pI88?x8z2ONIMeRcG(P`a`Dz2jJ=E((RHn2*mDDv* z6`0xqC~d7KxHjY@bi@t5=XESAK(Sqyvp(XQsBuKhDKQa-{R|n#Mqe;{uslBy6#&uy zs8KZPl}j`kW;F>b)3>O-$Sk4S9Jn0al(bz zBoj1P(R7l{a0f+a(vGL}^N5^Mv6--$UMoWx&V@%Td*-T<=dnw4^m5HkoZkJ;T9DrC zzZj8+wo<&SrazY$Ao#Acf6D6~{?`9wV_-SCgSyj-YIYI*-E z5BbTDLE@49!~JQQ`?QtMp}g6b)Vw(bJQ9Q%OWiR|W7D@IDKzpMiY_yBTuTii`_KNv zAr2dEYE#ktqxu(xtY!<`Qqtd;h$v6HF+^M(Z44!s1@j34h0+Y?0>tWm>AB+k+Vt_d zE85n84c%_|Ys(_zt$6}rP-q|#bJ*$Du882jT%ylX*rapXz$lOAJHiWWYf|w!j2hP7 z;u7N@d&UGSS?&n$8c&5I54afBi{dAEodkySHNpWm`49LD`x5KC*I~DP$*S~9h1)Vw z)ceJU-RqaB$UOJmUO;a;icOM3#>D@MT<Ub7AeFdPCVamS^=9K*Tau-8EhpaRghn zpN_n2^iX-9rF0-6`&TdiUk!8!7m4@(5Sk%P-gtEMFJCBebLN(}#^FS~3)qzfLTQ)= z>)wyd0{u0u7XMNgWCP&l=#gKde{%K>j=dxx_ScxD$}&8<)pi@KrURzE&l%|B9YTK| z>+pWmzb&4Kqret_sN=E%wXXTwldktMT4LXz%L}V;_;6XV-0}l4TKz@Fjj(jW@@0a``gSPWyWRy8-p>`GbL5#hK}D ztziH$@B7+c`uPf5uAM|xhfiObRlk3@kyg6xbRt}~eXcQ)USt-{|+F|Gq{~Mkm{&+Lkj@1izjLZCGC49ruJ;f)w(*P4KC?>Es^3?l; z3mJ7Y7LKu+29Dy-T09pUena^j=j6uh%+prH*L}TT9iNNHTJ_k%K5P73`U<3;`9vi#zbQ4Bw4-EXFqZe4)QcqqB<`kemH z@uWqa^!8*qPII_P8>KPxGL_2B=hcD7bIh%MO<>s1r@lnSn^UnkHWM)QXqrAXbvQs``DFszin#k z2YP6R?8$28yS6I2~fX2Mj)NzRN87~O;y#z;5gg#yj6y^6?c*_{@-K* zpjz=Lq?cYRi}PqJR=*GTpY&mD{v&Lc$L?XseH8MLG7Na2-Y@MNL8td~hUb^2v(Ktd zo=NyTB6~3?r1B5PT6Mf_Se~P{q&2OX5`FCA7d@9|lK-~ZUyBdEYi4V9@ZRITWAC8{ zoTk1p0*K+ifhdl(q~=gDHQ09&acpQx{~K$|F=kiotdhhg?({03bvcD`T$(YiGV7Ap zuB?Pg&(ogW6z6}ISF9NI5g8X9M1s?9gOx4AnXS}u%WbssA<1!7$@a$NFVB%Of06df zhdIPhDfQZbYWm-lgj>`9}4Mh8$37} z4fS-0EE1=$*~htyvj#do%^U@&(4eLj{5C665~`Kq{AaT_88bWawxBxl!p-;R(Fx(N z#Y1W~#$q{A*^HaQxn;5b;O}Vow2yPXM*HH^4Dg*yh2u?oO@FdRhpCsDiq~E4OU^yb zt2tH&6+~t7L`@!$D`=sW=b}8(L3e_g-9Y&}=3_HMLj=Z34#0NQEsPA7^S(uPT}QbT zkX{vz7bCfB)8nAmgQX9ex53@zn8wpZB^p0nEPZMnX1bBa)c2wC4V9;PnL;_|LWk#$ zM}YO+-t1@udrFe2O)qc%C?tFd^Um{0zMT!x$~zWUa|uHwR(vsJ#{Yx3B2ilrdoObF zvi*@yVFiM)Nv@r7XTer*cAuv0FxuHZs`07Di^t>TH(!v+uRp955=*X*b?s2sT^@_h zvx9<`^TuPftK1X*v^4kplm|PN!^dBISR6@b3QgSCLp@a3XjRGGRsSypQ!R5L5I>nz zqLUMy*ByOUn{df;#l6jOTf?t9$&34syI7w8A!YdME}&pNQA5l{f*qh4)M3$6yKRpc;D~&+dWclkmNl1F7sx-FSJ|JHq8#B#WW_#%y+RzNo|S`@ir@B}Mi9UneKei@86i5eB6m;+6-t@dlW@lu00j4~?!%>$GcLh&NAm9M6f zBNlV7<{9}ju@f}{Z(LFU3QKh~JfDao>+f_Q8EDGg!Tc*7|ASUTs4?Ps?flMhNM52f zE73=%%k-66jXUl67CvtUMGGt66VBkII6HV@QpvV1P6}-IwXm6IQf6U!9XPk}hxnJa z)pN*Xvg=+CPUHPtx>9%U{`){TI6WQwAU3Lu4!doXTiwm33cmP&b=zF|bFh#2mCZ7> zqRH&8tQ9?Vk84#<5%`@!oQHt~BGK1@P}SJcYspU?J}Kja+si;{Je z#bc}H%Yu$Pqvr)4hV3<~R0yvb2ZDmq5b2ROw3M zsjnQcWaj7x46%y=6TpE|UB%3okupP-rH+J65(r0k;- zZ@%0!DY&a*{3>SDw9^45RhzE}d@E>_2-v1HPm6FIz`*2Fiz6XwScHt>Os}vYbb|L_ zZvE=byA>?BQs5EJ^NeOXW(;h5$#hsFLsJ;68;(1<~ z=G)Zm|0R0PyYJ0^b=;(EVlJ58_JE*53x$wj6%?tFes45&s8*45QE5!i z6H5|iV~Pzkg`=Cjg`{_x{%Ig83xA7xTZ*N^&8dk2g-Uyk=iZMwC);X{CIq7sre<6b z$!qAHp?t)Fq}N3>_YyS^4Eb)Q=L$Erm!h%di94;i=xa?212ui9|$EJ<+e#(4Xs< zt6}*548Tdk-#?Nm+WufS%pT7k5zRoj%VqZGybyaLkMD445of~m4+Wo$9U^*>T`SHl zoGIS0q3g=N0jn-m-rZ%+RI|5XW8C|ItJfV!pwVZcm!tXG0(3)j>_jdVVP!ECH0Axs z57pnxf**D@VL3Zwj&t{iSRHSTvl{l2`1$(}9ut`Brjo*1jvt$9K8`=s>2U3>T9H1+6Y#_L zNm&LeAx0n(TW4CY!Wrm$`#F-UG3YSsnjU7VLAaNrU6-iJx=1j_)5lmowSd>Fnh$Pk z@bhe~>){{a^GLG_Q}EukrH*jev{yuL62`T8Y;98S8(ueLQuKE(9P%G;8c1GY0kH|3 zKWI1k#fz{ca;F|*M%JDOsGca1Wg+~sb4!CHune*{csAhxS9lX^(@$m8oKI92oh!)l zzOysdGBDj}@7HToXn5P1KrbpdUZuB6>PO70KH@xoMw4ls)~qC^oIfu3tE~n)cyZ+9 z;nzw{d+gYV?Ax$Y{H=(g8~mm_Qh@B``#NFbn`t2>dX+Wf(RiQD#&iw;BX!w8y_or<4j z;SZ0lu}@;yUB2I*J;3vL*U$B%C{U1ZKNe$sl0?soU@doq&+om1JbKP8#CL%me)2u%NI)!!+e<8j7Eu=U7K3=*icvg#?sWuNKojPN{$LsA!_FLTc z2YQuzHV)M}7&`77_O%Ww&+kzw0IkG4x;g;JYMca?(D!a1vX4CB&XCnDT zkDS)I`n-eBwkmj?zjE8GFiczjnl9TkDBH$^WvGT2mTnK!G(9ZEcAGg`=4iYx%^<{5 zuj6^V*avz+OsOJaC*Yh;aw z`FQSDTKF@bH!|o-;mt)=Rsn5^FJ8_(p*x@6FRy?Xs;-~! zXW*V${lP$iFrLNDT&&r|B+;wLbjHz?+Y0p7*30xGoP3SZQH}!8f z@Hsy8cEDlXtrE^&g^&GLIZNEn<+H4m7KBiho4VzNFYZ4K{ih*A-hI#VD@do!UuPR$ z&LlU928j{zLP1Wfj#r`OZ3xi&Ptox5Z*_v^?k1v>7LM`PVf)XXHK=*iFU!=^}M@?TDcL#oP0CLG3Ckcd~`0Kv`Elry1>9=s8y9PdRX$`OvCT8$xm` zHzRM8eT}-r~DRyhBW7X~Ev7TXfky~hdDAhLcUZMsRRf0?0hb`}uBWEe*3~g4Z;A+M8 zzf|W=J-_fha~9`f( zXqwqGwv*i6i7dNpOyl62RgcAC1uHPD=}j^*nUroXINX;NNaBPL^D%S~dag<~lr=oh zUe((2rtZIf*?)h#J@g%MN%~|3Bn_uDxE|xTM}n>FVUq29W91w#0x2@*-=slkkBq`T z&OlDt z^!004)KIBR@wuE9$W>A2eYf2jWA3COZM00HQ$-_?K!(Y`I>}bfrSoTiAvnp4K6*5M zxqDBa+n+dyOdv0|-+WwBOiJn@+vh)DX5fo~f-&hyZm|_wk0#44(yuN~x?HnAE?Dm) zfsp(JjBTYu9Q5)uyE8C3U7xLHI-l$;G`KAIwJ{vFhraZold#(yNfWp}eOVvE(i%)A zi%%^T(ildQlbEBR`#9bBgLwi96=5mjVyF6WP*y;Gu{ChLbQFf4J+g#7 zv_6=QgH6iIiCYd6hy;aJ-tqfnvH-PYisM&v=F0sP^4QGZ@G4$rZlQzA3lSJ<%ty&< zCTyb-uWmNOv`&L3i=5!|?3}$GG#AE=7Squ&kORB6l#L8_#j}s)Bj>%`zj+PE8F16b#!zK6rVs&b@}4SuW3rK|zp=#P@frm$f&~8{ z)rv45U8>%MWKl_UOk`=6UgZJl)Dpq{yEx@l{y;{7Ulp)};)*SW&>6tXEa zZ>{1yT@=c>^T$hX&fcNEyZ4oeW8NBHNbC!4Ugh->Vp_Im(n7^f$xh|Ow(nBHd8T~k z#Bnz3+Fn++M^1L83#$&Y@#VdyhLX)gJ^=|-+@}>N7HHX(4Cmv4D^Pb=)=O8pJpUzu z_ZgbO6Mdd&812sdTWjf6kqD=@e6MDvML(8f@=t1OXHu;t^#LS9?V>L8hQ!R zql-0m5eOhgwjN*p!mz2EDR1oJJIQ@>vo}cPE8B1tHy-VGW7(YsabrX1h*P)kt7Sas zcB)b8VLnuiKqvn*fnxpZ)T|*ZxeZQ_Xy&6=Q`)6p)z-y_)h<&Znq7mG4$5Al2RvcE8?96u9rMQQaUlWAUK_ zJ2s{NyGeFV+vi*r-(rzF9ug<z`T1I(J;JOi7k$?APe41?k9o zLBV}kql}`CDxFN<2(}zVIm=wlLYhnxR4{MgNj2r0uFEI(<2T>9PBe~fHY9do0VOtT z9p3J{PGgl17{$uO?Qql^9XFWO(@f(^$;IG>^a!cKRbHzpnX-r*v0pewf8IeDr@bJV zU7eJrrf+sV1RT4mYZPM*<8GYCc&}R;1N;5mkZLw#6&F2;JeQ32Vwy$%k18(fIl8lP zW(_RzM$6PC3N76$>Xa^{Z5LM}-bI11lAo$kivbvcVYphVa2Qh=j(J!FDw_D4Kil|8 zr(TtS+S`prnG1PSgF&dfs2sr#wzgxxP4X&R#fl_Gq?Nx`9*t-;={z8FDX3gcbZ&Ib zt-!$Vi9k~L3dOS8o=iJLQ<=rP?00tJ_qNGNLb}n0mZQY>CoGaT8 z)RCqs5D4dM6?YH^GB&64K0an3*05x&5`As%@^qf=T?~SzOA# zM{L67tHjOnllc1%mLX(Cx2al%FR>VT@^htNgR-Zw@T`` zC2r$bAhqjE6U4C-Hk~K*GA}oa>zi}X&||@mbC`&-^`kif%^EZJI{$Mm_MTN$@b@B8 zy}4RlUKUhbF+8z@3*tIMYTAL|J19L2|Fne@b1o(+HMYLddWwohlI)j!tz@|YbG?7uPR&zLFS>|h!ALSwgz7UQW_B6Sv1ezP`d zJ9jc9a8)rpBY(pw@+%1$#`+FVG>B{EM^VAAAnwj7`$;pMi-i_{Gi&der(}^CFB;5+ z&@iAcw8dM%190_IrtK$t5bBqsLy{;p&&9bX3Uq`|B^U4EfPx?up*t~`b*eObzY;%X z$3oR+Ua`*3<^fRDyy$l;Y#tJ`cbiUCF!KgcigeHk$j4E>@7U81M}>$7gi43WfEFfB zjcC0MKen=lGwTVX^q8B=zMF>{zzXrS^=oPTO5dpY*pHjWO0Bo zC-Hz!YdQDqV(K=LSb2NrE-DdS{i>>PCD&6F^d$yz$-_>vz-8_0khI!yT){gY%J_3O zIm0mKUdUb40d%DECn73cT)|{Dv?a2Nu;!W!ci(cgzL*0c@Ijh)`P($HH^7eiq3j21 zc3?+E!xXC~VD$Wu-e-4FV^xw9PZIXHMiBWthTra>tfQS;{8-N|dRNv{i(Hx6$?GMb zPqSQfi}Heq?}UhwVn6|HiRL;Pm5s$#5Fl{8=DFTmUFn;>3h38|aJ-Uo!61shIVt=! zF(&Xsz=82~*XXVx;Y=Yl`#A7kuW0NWb{2&EbV7No6AS}tZR(ze%SR^uam;R1tLOY^ zvy_%$+6xm8CKMIcnRI~y;N9fw&sJLqu9w1<2E4Z+3)`?SUN^X4cdUON6FQJgj}Qwm4g2%L z%sRZf1U%H7)OkziBKwMh9*Q8LtY(-*XpBEm7`d65vKo;+JkvZy^s*sYM((NbRc6Sw1j+C&y>)5}G(72XMo%4Xc$+@_NN;+pVZ zjQ2$yrjMWbxSu|->0&JR`sqVr{rx{_POP!{2eaPRj$Sa|Cu*7a3@xfOgpX~UfO~DI zl8`>n!uOZm+vT%)S}Vz(kKTYhsI9BbN&fqdP9y38z}Y@BZa;GFyzJZED(+(vr#s(| zt~0#`{zdh0)-cIc7hk@SJU{I4T?Y#x-YUM98j1luT@_A&#PqXzUD42T zX(QbwoA)z%u^|h+k!jc90wzv^yI;=k?(Gr%eDXA}gh2P|D$Wd`K!t0+qT=gRG zFR$U`{d^<+du}3~dz+=1MPOd*fu?Q0$fupDN}Vyl>v}*L zrRj<_GIdmR1sNRv3FaI6E@8gOXA;>H#}NnK!@d3I^^S@5h58TEK`9JqYzAK9=fVZ* z7Jc9T<|pp8B^UA_zP-phsKS8mpgDbL^e53?m}Z`cI-X+fO%k3gmD(8P1ROvRgy{dj zA08j>?$ps8wO9FQD>E5 zq15PHExsM-x(B|O$j6sgJ{m+n_Ro8hzjd}Vls|wpOyqzj+5djFcedF>-_)v1GJ2JJ zFTi=wrDg6(f+IDeedG1))s90~&^e&p-t_6G3E~(8fl~0lKys`Q?WTeNrcV$D1{C?o zHfhZ-1MlK+n6eTbTg^j$$b^!Fr0gf2Alh7ZY?4@txZ6|3!@EIJS9v4B%Vwnyrs}W6 zn&e?zP(52Iue&m%4vxCl6iGhIYDXnK_ zR$!;rQqnXdsv#@jCPHoOgSQ2ISg+*uK7%u`|DQW?>rK++>oa*1pDY6VpO&<4Hmgwp zhq+?>!+wzx=TyyI-965N1<(b+Z|f8HTQ8l`=OFVqo0C#$1xht4B*adpJgiCp6% zeXi%lCf!z(+j<~Nva_!*@86q!ozH(cIi>6ns<#>mkUTkPtY+3QE%bJk(A~baOyaOe ztUMf$JX-%|@Igp~v;)IP1@5>MD%yRzx42zdbGhI3>2R&~Bq|X(ZkS{SrvG40vjxh) zF>o|wc&B=|*0McP1!mL>{K9fJm&66xFmFOb z-~7GWR6IYp*#+rI##(oCwVP&K4%&jo8Ptm2IVeQBUu|mlfW9Hq97M4Ftm}#5;uJX^ zOfztxDhWv;&K}mCg27k>oy|Z0(=UHvo-|@dI_*$*QpzYD!^)H?(8K)w7VG@~+5hdT z!#=*AZDae9vPZROPB?hriA>73E|+Kon0a;)#b)7)Vt7rr(4$q1iuPwCz@C(t;=kLg(xl;MJr-_y`UFp=XHIHQ zVs5TxZ-%wvNXUJk#XfoY{742Ks@LJibg^BYbQHe2--reETBVE>e#AwoNh@*;t-G{7 z7|wT7%K8KjPtE&5b!q7v*G|4+qu0h;wLV+P%FY|mvf0Q?pP(c%5_5934aq4g8dm;4 zm0f38Q(3p3v5caQ1w}xbQU#QVAVsQ$5~?B)X^GM#ATUS`EgyoTNDo5jsDSh;oj{a9 zI-$4FgaDxjh?EclcgMN+xj#Sg2j)=@ob0{Uddpg8$82~E7*@ok+O2V-kpZ(`u8t9B za-`30^9Ix}htCY{X-iZ!_>#CLj$1{@&vFP9zQ*%_tW-Bfqky*S0F(A%dEnFHX#?DREHbN4PJAqZ!58BYY!GliIZzQv)!zr zZ0Wy|i+I%mx@r}={%hwYt;?bUPv5>88m(n;_nUYj&N5nB&;xYgWum44<-?BknGu7q zXvQG=7CFgPPp*)g{tw??5sk#RZwJVP9qjrr_)-7(XZI;gs)a*x%jSfGdFd29eucPB zbSS(97Tt)c0F>BW-WD%Pn;4b_$Ii80@0gKK(;3Z(sh zfMim=tPv3K?&{6R6zy<`w}#zN3MvM&BeZZ;4>)GEn|WxEr{M|b;HjcnG|L;*D0b+km>~2o^+@!Acya4YaEHC zqQ2Klbure0Pc>wrhkRD5$n8Z>|7izWE~}&bosp5XJKGor&KDN#8b#8HyKyIR2?ct& zqyeW?zfDnjeV2Fr=z&56Un6>##3w5|?qy|nou^Y}A7{~RJ6h=is%rPsJj2~1`L_CA zCPhyIbia2ulp%XR#RJD8F+`#|YZ_Iha1(Gl%zJ~jSYhB-346Dusdy!PfmaASx2qFQ<8`DMk|jreu$b6}S_wh!H@*9Nr@wtE8dLJD87z|U=p zy??5z1#WB^Rj#x-Bmm1dJr9?V9f>3C*W_KBoC!Ww-OiReVo3dy;-X)k5QGKxQ>VGh zH#Uz}KE|BJEWlAWIfiE)mB$tM+^^|?jo1EkZ3~rRw`8zjJUX))J&`bP0wM{qE67S06Wu7Z8wm)J*hTswL;gC zXdVk$Pxm%Q6Uj^Ah0?-~<{9#H2U~jO0OM+vycj|m4S?fu=F-Q3ED2x*ewMu06&I z9}W5&a~L)R-cGo#RwUb9ndd`i$ItGsw?VM^^;dc|G0hoR_$9(s=*?%z?y+N@5$ItX z?C{WyqQ|tZ*UHw+au?6zF?3}KoQasmDgVN{5|RC)>&~(G7;)I&S1?!CKw)}C_n&E( z>Xe?Kk8gzvzMb0yxjbZKBT@PNP@?q*=|uu3 zPiH-dziIRK7Pe=i;ejzserGN%4EF~xNjNQl{`XKjw|{66RMLuE027UzHurjQ$}5+l ze^u}8EatzuRK>t#2~zl=1;Ha=5ZJK}K%~0xoMwHW5zNA-ZY|7th~nsZS{ATV1S&aA z23o!_H&Ti}o`I7~OXu0QX5(N1xQ-F`6+!bT>qYPs}+)$btnE6qv zq&pTC=4BtHi)=~{3sF2C_Dk^ee=v4kw99@gyo^XIpH6%ktqwRyg3f!#ftMMzN|@D~ zt~p9&ELQ5TGP7E)n`*rtU<6^AVu2g0VFOH0bz>A~)tnf$HHAWuo?-ImMSX?d-PJvw zw#G0N-IAI);dF!D!tJ5S#1n@hz;(m&JW7zg!Zr0Fd3FY!x~%rrZ1I^X-mQut4>lAH z7pjC>?C^}u&k?c{zP(JD0-mPq*n5))gBwc2K7~yqJ-9G>oGgW_bS?Eb=k1I06)iGXHO5`m- z59w^xA^^?fmr38+<%^4YfNA|>bMum)9VSHaSa#bz<0p~+qBbg&Aa?m!L7XB--uer8 zqY?a*QcdG1YT;SC%^;6e`S2n}xqHygGSba!RVB!ycx=S$RpH$R%`-m$} z-jjGvCR+_-<`ykK>gSlrjES6ck-+?Oib`j%dg1}|j-q`8^~PJ@4_4>bJ@Lykj`F`;)itHjJ*jDbC z-%5v@gty+mm(z|9vBAB401TYZv<6H+22ov8!-ZM>s1L)yPb)0ls96swoo~G^SeUY=;70UiyW1JJmv%-^t@YZPiDg>28rK2B^G4i}1X@b&o?^vU@1?Il#>rJo1s8U~F0t&1iL<^ZmbM$( z@+}D4J-G%fS2uU}VK0kGo28-RNjWjFM_*JgdI2T0lp|4HqMgPHZ;)<-95%81Oi+qM zAW{x;BM(AU2Yf2*<&BBOVal26eEK{)iHK)U*&gwR>jfDn&|En{OmyFqFEwxW4vHV zLzA~V%hj&WW%t=AqG_Wu(2uE!1Bge6wicD86$+2@Z3ryU%Q}L%zCT*+ev&_?yX10B zytX+OH2Wl3DewnP{X)j&>3eq#=V6{YNc|u1f$cdHJGFykWAnZDQCn{P^v4@1Dufz* zIG3k#sQ@!gtj~i@Qe}nj7<yovr{u5DSUQGa~Ot#Q6iX^G?J zj(#??w>Unv&>G!W=;AaV?lL0YpUe3Osl4;c76jOq0O77vTPC-rxEI_*y*s$JlpTJo zO%Vctu?qfk32?*N2@XM=TfDrK^rVfOTuACFz^D>p2)@1z45Ze(7&5;v;M(eRv_8?A zUDs_*+oD#D=-zwMwxX}Pp`o9#=0Yc~#I7Vc`DA$CvJ&gi;5)#g-55H0$sJ)_8{TVA zRj-{`*x>&7ziF!Kf53c<%UDF5xF2)a)oifG4=us~!t znMS~8y{mbvC6u8#Hn?Ch=;u3KnH1vlwFT%naN&)XSGN&-nsdHY!c;2}eW!r#&&kHs z|A~|iane3dipaMORXIjK$StKE`D02+f5Ts|jDT3&uG~_uo$V*}`}ixJ21WVufBs#U zn&OIz%-$qa{RM@^Aj!1)VWDC*K9FUsS6OcK0K~b%#Rd}Z`ynS#xqoYWE0M7Jk$(4V z%<4z>c9)FMUghkzSxQsc@Ds9jpIoLwiD^e%bFke(DAgZtRM8VKqfQc8(v#P<(m4i4 zb|n`WQVL1Nw?&u%8t_%3OGf0tLz5=%@QEejjp4hJ&7?9 z>{jDr-sX>10p0qL$4Fc?jlE;f-#n>Yn^U$iEI4=Yri_yw7~}Zm+7R$n_(7*n@p_6v zAuYi%#eUosrS#f9yo2Ls%p3e(Q?ISBkCk5xVmNj-xG0PWUi`B+=%T1iv^7U|4GY9z z!lAI%?KpF_Z@fR6qwD1YdC928Qw~-8A&El5PN53Q1@N|^N_pgg$iv+EtU*81GJ@Hn zm*3y0_UI;VZ)KCVJw=ZJS0P@eP-_MO-%(Rnk(oJ?w9(SCiPGb)cmxHUt+F{SH&@*4 z@}yAudvG#&;DgH&lWJG3zp+m1Emlq$D%tx15{lTm$d4hBuCt^ha3*ee($-t9rQ#XCB>UN1+fe7;Yp&bmn9|fHln76t|Igj@3MlWL9q$_9%3FOg%R(Qyihjio zwT;p}j~Jb1H`!1dX$s?dM%o6;cKnoE01z@_I(FSb?4mRE1AajNcS}xPba&zIzsR1u z>0(uiH!x`%(xUdf{{Is3UtgV)3Gg0^Fj~a*hZlMz)vc6;V^QmI_c}#%hv!Hc@*<$s z4U&QXEVw~GXZ^^^7X!i3%dRPMPR|k>KK_=#q%c5o{D4~U3gWUjK-8Ub169rCyv1n0 zg3&`2St+s zqiHqOF7chqvXf4RcRoqHL-!yU(WP}LtTI)MVr88Salp}cj1dW*NE4pIC~V7p}596dIfG<3-;?jd<`R#)zaZQ)B&+ z^98hInQd1%0N!8_vbh<3X}tDR@NN4s$Sq^7W!I5X-a+=k0urXxv`M5xU*#aUcJ}Ck zJH;rUYRj1_G~oAVE+?#mV=K;})9N&uki}5v5m^{2Wty0QMwfwmx%1=|R?l^oB|85r zvmk*Uqu{XGqJjO#kXUeY5#ZpB_{D-6r=r{II51Nad7L>UH9Hjo(F0APY4+jiLohzA zY50$7_prgrEWe6E1H4M1iUblrum+{}GCT6WDj%e^-p8-JZl#*%B#XCIUMt@5maz}z z)o-;ApAXl60v` zlJvDpT!RG+s7*d8dNvarY5Q}7f8~pvP=NRNqnM`A{`M#vo!G~I7N5ggE)_O)mkg}k z);Bky&`9Ch3e3tL#|)Q>^orciZAomP`IoZ#kwqe5`Xe2)#D4~iceT=}uNZczBT)wVY3jYr%OZ^Zh?lvQNj4o2up3EQV+m1k9@O&zQ~ zH+Q~yaXi;_w&kXbcAjFJcjL3<8vWV_x$ZcX)EY!*)fnl)Po$YU&s_7m3NvFbn)Un% z2rEDIS_$%HNZ+j%P=?(Q73C}kyoJkVv(Ege0syNk=Z1!s_%gggJ&r*uekwup6byg?Eam{C; zmQfwR2=!B$2k*i<0}C1pBgH>+)YRg8dbHjNm`8U5bJ?rS8y5aSbgL1|bh$@Q!Yd^F zoRav&=`M*X5qLgXiEO1p6ej%MLDIBK><|jDm_^_IP_TQtp>?($XLHFPZDL(}B%wA+ zvpTnh89$?)-A=)Mg*9>Y#Q;lm;1MjZl#4m4KIC#0RD#){1r@i-i_dgwF;EO$o9i0-!*?oNb?!}#4_A*m@ zyrQ2Yb+LrfsJ5YP);CMw>_<47)z0Q``f?lukg`;zCMFCQtBe$s7b~SfTPz2q+e1i{ z(d+zr-GOtFkhXy%_o7690`b(*dNw#yIl3JcudWow*&PZw<++&foqyTXGa4a1uncr` zss5Iu)hmx>Pi>xD*D62ghJB-82NW!GpTv9im!_ZMA6hYPI^{LcphB$T%R8%EfQ!Y2wNqlHOG#6KnX4url#YW22~15By3KjqdMDWZ-6@K8jNZ3AVipSzAhv$_S}8 zzT?HHPLV=arP&`7DkkBR5gS{8!lx$wD@E-9DS$lg85!$!R7Ou(_i{#o_O5s}vgA!{ z57rR7xAFu&JX-Z}Q^;6W#dxHwkF?+)+oPn{SDC(-B?-#1s!c%p$=dWit!M`YJO7G;HSgzR5pTPdE8Iw<)m)Esl{%|(ebIi^rG% z;EjPHq*5NiJHt>3`tMC3l_e?IMh8xj|rr%2tP;?ing3T2 zUW0;g)V|I8Z=SK)DLAf7jgJF7{QOMsmUC?{rywr0{G!vLziWtZOC3^69bSfFB9UMGdumLMVrByex7k^4PVElVad9wE&94A-0&McJQP%^_Cc5L zyhwd?o&2z4C|wfDSg#iP*4Kk*d+et#)bYUunG(Wfri)VjuX9;iJm?r5~qu zImQN2))V;-Xen&IM_tGBmZ}+%E_-&fJ=zYvE_72n+g-NN8SAI()~$>-_W|eVn6H43 zD=4M8R?-(EJ$T}7ZNid6j}*);^TwFt;*4L99nGA90iy>OdFk19J4cBrn{ie zl}3q{rXrsYRE@bj+{kMRPY48-DNt+%0r=W&t;p4zTRY<^DH5LtokkMV_MP%jnV;K2 zeYTGGb}Oe}i@MKxYuEbEVNaNA)IGb<#zp`6NnH~IUBe{8WJK88{y2NOn{QgH7I`?! z^}F10>0UMCo~niojWUPC*cI{Ra_HC?R?ZUv_ERP}%9?$6)Fa;^n^9eu!Si@`svK#d zEn8rqE`v6-TX#}XeW6q3u4rikDr`SF3uzVZ1pR-^`)U5)d7Z1D9 zC#9yW;-4bq_`4Hs9`1=v#)VRjncDT*&JpwTE1;JPXu&a_lGZjofxlk`i)Y-Uvzn$` zM9ZXyntf0kxi!E;9=N4P-0k2I_uH%EqpUm&c5k|sGrmL~ym~CW_i=!6Ws#Oo_(PY6 zj{Mh_iDWFXu<*WNNl0k7hb)}jQ~b~`#!^~YtT9NU#5h8JjF$b=#Qnt( z?zkFBu6<-eZe>lqV3v(HNW}@q?2vY*h#R*G`ViTW4zIANn;qt54K-E_?*S`1Y4|66 zT|M5sAi;(3dBh5LDgyJxJ>PZyp^`B>)RkNhWmKo(rNmDNP>88^NwFp*cXPvdviU=5FBp_(njcui@bdxO zkA&fmX-b-2@#uS?W5p_%+bjkdn;p8>7;mBBqSa>0=*oo8qT7^nMK~u=0bL^(Ee5dW&l;X#urZe@~u~fI{2OrsXOmCI< ztO=@<+|nE9R$|LFeh;l|;IitQ3@a_OgzHXw(pKW%w#hKjSmgtx@RRq)r`;)r1E`V) z*jqk3+P#aXv0@?Y2ZtyK6xf4aw|j{E_n?;hJXhoT~#uifM5Vjf{=i zc>8z<>TiBOCz$EGFbB1r8(5b4-FDlR2Qx zZK|{*Rhu|Qaxf>}w680*B26twJ{v8zI|y;gIXBlyPqLTyAQmI10Os^!$#M3xn5{b* zF36qUM$M!eA)di7-5jz!tf%;A7t_>&2|al}sOaHsV&dkrFP~&@cSOW8L^Z+qPiaMF zjfj{3*qs9HB35meGOWJNMAOnu%PdsQ=Qic7$q`4J@v;qL+r|8f8_RdrwavP6TG&mi zHHpF*0}Ow>5^{nE;;u5jT-b+|9!Sm{UW9gj9_~z~=ITCqZ+=QhDME`8vtu|I27QEe zVZ{o`EIcO8ij-7R?L*Ouj{1*wsF|G6!omxRy`chs9DrEa*#s!ABYyR>L|si78!=jpTL-p`{wpOC+^1T zxY*bTUeUmQc)BlT=-ll4Es7H{a4D8x zITaEWpR7COMvaDy`c?39A(9kz^V-j`WxB$y1qvqp<+}LP%E35i)2<^^!LHN$i^cAd zU?Gp*ne$2x9m}*Zf0Y@e${ugoe(E$4e}o5r0MQuHXv7E*;rwiAhq2qKAy&#evUVheULR z6lB!#?;0DMV%iNZ8V|hh6^Whc?Bz3HjPB_yG4JiL+LMsW-5H;A2S?ra?Wx~M4jqw~ zhix={09HDDz1iZ#g3%D1%-BB8s&Ada4t+U)x>dOGSoi^ImfO%XY5C`2E^{?PH)eMD8YnXpn;J9vMe*dvo(q9Fuzahmk$nm!K ziE&x3x(cy!2dFjgOa9~88+$}U+9)MWxppRVvdpW-<=I2tS@8FY;wuS}FWIq;@;rJ* zR$43C)SZ8n3oYPpibV77w{vX1iivZ9qrp@SazgL1c;Qgs$ZU~*f|kc~ouNw}uVRWO z3WLr)RTF5vR4P!cQ@3BRQ+57~9+Q%G-9NOBx~gKdM7CVDd87E!_d<)({3&Cv;UA3( zw##jWiFm~-f+C|L?9O!LdzHthE_*eL*o@?z#2!WQy#h^NU!;`MCk@soFYjY7Cx6qk z_7?h(5gEr1m8>52?i#8pRTV5c>32bVX^~hxCdfXiXl!74d{Xsl{Du3Hext zrAph(d<$(jdFsdu?h*S;$7qq~oiL(}xPO@#Hy;|M(wvx6w6;g0M|AShiee}%WLKkv z?cEu21n&Cu>momgRVsGzOaZ=f&&^-&h*1Ha#<=JIS!|ckNI~rGiJ~E0xh?h2j^g)2 z4x`cEDQ8}7-C4CQ;`;e|mvP4*zeEpyikD0e#;dGu9YdL|ZoQuRb^(o^q(F8VukiQ_ z{+VLts;wITUj6lqmQP2+1Y({oKN_qQTsh*)R zivGrU_Eq-ogvckxK+z!UD?}}gVRqyGs|j$2HJcOoZ$(}%mJ^Rk68E=KaWI>cb;SKP zY+dU9tGf51yEIs6nbk|k$`;zIZiSAQ3nW~Z^w3$`ig+@9_x_s0(gt?)#*yx!SX1lI0?*{%8tGNFWy0$w5ZKYyiGHbMvtMaNeYUe&fge+tRe&ZrV z39TT!%}U=DrybMKo-ceYN*z2Mj@a3&fLN_1H!`+%B#ND#>-KjRsUlvF{@BOf$JUb( zt6HV(%B3^soitZ}9~b7Ey0ag77opeBXdLVhgDheRC3HK7CkP^Lf-6)0*{Q zi)A&BKx=l|)i{1IXSN3>$o@^C;KDZG$&OhnE6u2=!4JDsnF>`AXZYH;+ZM z^DC?fKNFYydM_nt#JP#BMzGz#*_*T>XR5`~u9v)0JNB`k`xIpFb5z5Y8wDDhzmJN}?)UVHiwisVGWCtf!GNke73k8`= zonce#jM{tJjCj@+SH`yu*y^Y6JL0OV{&jO(Ck7GbXczF0?BG(7kLGUdvIY36z1f`_ zivIBK-Z|eJa;az5B|qSw*&$VKkIMduN3YT~RzGn(z@v{)oX39n6=pbgZthh;IX!TD z{su`Zy`2-^zj(y?Mrqs_qEqzOA(L3Yefvb-i8{SIanComUv&QURIKWEoUd<}U{m*H zP7#+${~L0ZQRB)Q`#V}z8GWQhatLqEW35Ah$uRozV;-1d%C7jnhxm#@Cq8ofV<%#^ z=XzF~>t+OGY?H=b)5AT{*lZHZH^D2gNn2bS2|0E>#jIs5LziH7DOoqUtkgoXX>gFp z$xDde-nBW~)Rek~XsL+spFkoNXnW#}U2Mc@)WjUQQ2g<(4vPvJr_VWmTG>;OrnX0q uO#jl{$))R6Ja(rCoQ_@50&$$(KaAsf9O$C`zT-FW2dbubzu@kZm;VFKiZE0F diff --git a/docs/user/dashboard/images/duplicate-panels-8.15.0.png b/docs/user/dashboard/images/duplicate-panels-8.15.0.png deleted file mode 100644 index 23c5b831dcdb4158e42903e3b477efed13cd746a..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 48224 zcmeEuWl&sC`y~v6+u-i*5Zv9}2?P%WmjJ;vSc1E|1`;e-a0wC!?ry=|9rp5*_y5-J zx2@W5OV!k!xwrM{zTM|J&uKoXsmP)t5h6iBL7~daNohbqfykktpi22~yK7_yr3JM$_3Iz{bF@cX-E;JMj zaD{$(o(uXnC5Sv1=HKtoCBSniaZO2idElyP{@%jE!NtnaHAFN72go>Wt)=Ixr>rDk z?r6_y`qt6Rg4M&`=_L!4kcR;9)!xF@l-$GK&cQ{%Lzwcf6av8am)mTVG zaq#o=v$4Nod-aM1NWtRb>ELSW!Q$XT^>-ovmLp~1V*cLR$<^A?f&8UhQ!__5S7A!Z zmx})L_jfxjJgonxCI^>)x&?HQ?d1s@2P-?1uzM|KZ4a0Ss6&M7 z6{pZ&>Hm)>|5M|C<<$G1oZMVo|DE%{p8W4QwOuUUOFG&ERl17&&&d3f`M)3jlTnE6 zrRV=;iNDSK*ImHQB1l4P{~0q8q`f6cUnnRsD0wMyEf45}EO-;G9^6n>FLVmTU_y!G z*6Vz1SR%&Hu$RKfI@tT?b4;b^)#j2Iu;K@$u0)_9*In{fI%o;6jVynj??1f1H_uUL zyiE{>;dLol{K2`x;(e6H$tkiu8^=dM4h{|=0Yw|33oK_lMs~Nw#Gv2a-hM&7Uk?s| zl;VRtp3ctC8Q9oVZ#|waIIWgtqg>NHSB&tTE!;%jh+~KiD5yu{fu<4zT4z2+f8VAW z#y{TQSA>R!=3%S1`K*vm0~SgbQ&EY=l&X!*gN2ymqq2uZMU7kcHr5>6CvTeY>mVRN zA5)rOvyQ$u*Fz?o?;BJIMn7&6Ev(B{gc_j~LCD1z8!5d~w>?-m*M7_Yhyh)g*`ZJ^ zkz0l}%0?}FIJ$dBV|j5J-#w_334wsJC7}%SoO<7BA1{>Cj7JU=^Asmp8ZSeN@@V@I zpxLN%jYa0+K?g+Ly?hAdM>=y}6d$Z>AWlTkkLo6Vmd>D!?{;iU_DSs6)Sz(a&;ulB zid91Bb7Y0~mdG{)vWn`&Hxjw|2&-vaA_cv^hVVZL44qBQm*bD_EAPFH2%;S+`z17;-bk5rL#+h zQ8nDi$UvvAXXM)CWM8x|y=kJfzt_ewPbvvmyVn(vRim*$Q%M24RC0*KP2U8DD1*fy z)d*B}SDnLQQH#u=&pA7~+^o=kr>U@M6LM0{@YE#IO|`dEnzkq3$WJ0F_hohM6ZMqpNKLlBUVOrg6f#dfN! z#F^*OBOqqWvO`0lF#b33)4S$t_vTj7e@`G<6Kp<6Nw*Byy#id|s&j>t9$7HNPDErD z#aOV(31}0fR14&1M;txIej_#-x<22>X}hSV{zz=Qg0Gt%y7PYZe&3Y8h(RtI10<1q zhcOxy>X3#;ED}E6q0FB_?WC{WMyT~Q}+!A zOjP*T@^54gg@llRcbIDPXo}YnxB|c1aD{5COs>Y*Np#0$2xHE9;S}^^{{S`RdSL}r z1-b`c9oA3B_Bk|3y-cZU@QIJ$f|@f6ofTk#@lb+62y|iL1$8?xDmoyD(#_#pf(Y9v zmWAOsD%ss*76bZMltJ^g*2)+MM8^6wERXlMqT@j!5j$544tdkx3>aWq;*%+EL&V&u z1GW`J4P=b_h&D$3NO+D@5~EoAL^=3>6!t0j0ro3nfTmHypD*q{xfF@78~gHk`zYB* zMK;qp;!`xGQPi+n`uWmC$;jwObWw%DQuL(iT~1xU4w!0g-)7dl^& zcceYNy`$RZ6}hRY_;=<#NcuHz8M6GBO>E|C5krFe|5%}&$k*aQZnm{}iYzzjGtjvS zUUypIPlf1{$IdEgz|r3Ht7Y$hAb+wW$0glStj_bpCNx=@o}}XxoDpcx6ZrT5Ook3y zMEnpGu~AbRD{KUcEnk+%j*-E^??@DNwmoXO5g-I`G~%^zM^M)*3v%~0SgM`THL6%*ADC`%aWz%#sY;~&{wDiLgm+zwp9A?tZImWV?cRe`-ybqB^4LFzKln>IB0AV zv)2eCsg}mf99yxzFRQN@2bfvnQ#z9Nrc@)f!$Lhtt;L{@AH&_~!HDH}xu#LEr^~ys zEcZp3F>c%O{2s-f$uF8*=M!_2t?!JRZj%?RPdvLzm79mT{($GjpBhe=oc!v`J`A&+oU?*|5(l{_YHhxyN}M8ctdx0}2~ zQOff3ES@1^78oX3#hCM#@Y0^s8)^z@McdeIWEVfApvI_wzPtuM!3T(hSL>gdJo<)7 z663PPmzv#5=Id-3qF~x8?kw%lJGmV}Y{ zMRL>Zayg0lC$;-MdR*pvcgM#|K9{eqOXt%0^(=U{GUH0P9LQxE2Yw&Ek7xdf-+)_0eqgMq*Ziaugx= z+s^!|j6$PUFKm2lx%;c*hOt){J7ZBsk1K=NB!&sB?eCfGmzttx>Q9RDBu5Hz{GXE6 ze`IDjwtZS(w}XvU&Uh|P`1EPA%~vp8;L@UOWYgH^*QP=TzsCvr=2lHWw?lud_(hk? zNYyk=+EL5Bh<>#hPElc@8m;?6ZU&s8h+(s9UW81PmZ6}tvooJkCgj8i1Uo`2T0QNM z+_l|cl_}U{0!72pcjmwj!bA;^3q3%Frck2=C1;E-Mj)IhbU`OipsylGNKT zR5U5;*V)LMu7&LDa63-F*$n$oh=xp1)x-B8F(mb?-G24e2ebpxQacHK>`ZhX3PeOi z?B60yx;3*#;0pPTUS8B4g$>Q(3cp=V3U>E2qWG0djTdO@o{(kWxM zjx9qxv?T{wDgf5#!xY0)l5Toazw}Cw`7@mgfC?zoEI~4Bl81P{D||w-5x6XgVu2OO zD}Kf*bv8X3jP5^t?w5QnHOre95m#v?in{yJ{I}>ZioG`9`$S6^YjzKA0dsfENEOrmy8*?7$x^b(%S+zn{MX+_ zN{~a*HRthP8w|>+UJ1vGA!ZMrRkS0JZz}5z0C*=e;8eD$R@r{K7SYgmDv8T}{{CX6 zFS}5;q)i3FO0L(DZGOOQo~V{T7}mLa=)Tr4sY+>4!GfeaHT?c@7Qeq$qX*L7d49Szp!ccizkF6(#^&uJcxH|2v_DY;{U zzJsWhf$=5+iM;0bBrS}s{*v*si!EbT+lx*L|*cT;JGU%A6|CG(4oJ_bHE>etQs zbzOeyk5ujn$D4hJAA(lse{qW9^?2E^yB;A6te4RxRaNX3<Lc)UDI+=WP`*7 zVwyUM$&1nkVbaqM4v4wgJ{6orUB>xRtTKRg4*4YBaelx3QS}=J)Jb?<^-9XZSXH7J zRWk{Lk#U3!F`QGtWj58)v0d^_m9py^U5Ik+ODiFuBw45+X=k(nvjW3#4p9`@2$#IP zq8tnyiHKQmY+1eWa&TZ!Ohh~q){#{PfH`yNEnem}1$e&RT9J3rNw{u{6+KO(RU&p! zz9kY$rVpP*eELxN?IFDSOmE#+>S@Yo!v@+A=jorA2jNf}Aia2P1cbl=nt)r;s!v$J z%IbsYb25mg-#}*D^Sa5<;n@my=~W}nl0adS00$TgfauqRa=QR51!^S+w|s^Qj=5y^ zS$x$<<7PS(hABS#WWLl!-S8fQ8gAgMVES*uGShFQ213d z?a#y?ag+gx1bNuN?)B1t0OCMyPG$^i&%Q)Na9JLT%=+pzndcJh&hypFWyi|^jn*)W zH~zc+U@>m$s%&oJED|doljpUgxL5Tbx63Kitm9uw`m2$vBA{co1(n%>Jt-&#CUJhF z|KucxI)tw!$JvyE`a(bcp7dq=d}#ow3X}wbOedeqvGW}ZY`1gPCKIbNICdRDzUkjW z*(gr7P+NDqjor^;4F=zu_gb2RYECDfa}D6@xMWhij3d<)qg2qa|7n8SBSK4$L_Y~x zWnsqa(JJQWE|-7<*_p_gbfTXmR3>7|xCP~Y*U`0d2#M(dMm{Qdx!v{1W2P8QXNHj~ zImRzQbx|?5-^^7n94%rL=LUZ_AFuF!H6=?28Z05JJ2AOWLxMvUG4|tHU%~o67N>#! zeGQE$H4?mcB=Z?Hy!n%Y=fBT_#j3$S;R^Mn;>Cf%ABW7ku*aR9DY_IAQvq+bCq{q& z07GTI;+qNtavB+0cwnekkphcR%^BF)JCeS}%L18@D0A(_7REEH6%xz==LQ1W6f;@4%5uF;b>=$iJ#}5} z$a~NC5t{)R8fmOp)x^)VtlKYdsuY;qN9gLOi|Z1%IX#PTR&m=C+LHIkAvW1c?(F;c z_;~B*Cz!;fEc=88&+o<9Lxxf}dz?*w{=60Nqm08O?7@nDv|aKd9IcEQu>GwY|0o$2 z-B?5{yR9TIpC=g>qah(7L_?RwnBu~s*O<6B9aW&ilA)=l7F$pz*8-u(fLIw7TTFH&vhFa{ywOoLw=O(dWoLP;8iz+(uk~Gd03I~}yOv0;L-U72Q*Kv>xPj+Z z3qj@Q9Zdn}GwQ>oh8VvGYYv(k@}P>65leq@+Zp@ZuV24X_VGusr))4gT91D?SX6dw zeG~z<;ug6qMNQIZj(VIA!ip)63j1jmmX^Qfjpok>otMSMxX72Cvx<@=atAQjk;#y8 zSqgssr1rXq`*g7k&uO)AMS@L4WRIgj%v~jYUd*+2bUIn8E-Cw(K8u?vFtFbE>hbQX zSftgPkp&SPJ5@fT0ok@5-b|~5x{2etj@#!m=WiMzw&v&mfenFlY#Q8+ou9M7bqGYd zP?FVh^=^!hk2CP`rN*$_-SK22M-2@QGL3Jo4|MYn*=IehYf8_jWMq_pIsN@bZ69l+ zAj5G(`gH#O&y@PblsNGSl{9J>Xjl5!<4%B0g+cul^HfC?=d!A)+2IR{!^vW;bt(p7Vl7rUaKMH z+g7v%u@bsLOUuaU?NbO!KmjXG-2KaPA492@c~YGT3(>U~8)dgb`EYzIYt0Yoo#FRm z&a+Ov7%#`h(~S`EIYt%m`9t4&H!p}yfDvtH<55lM^83EBohR+6^;z8l{gvGg`RDMe zM~=gV2E10zLl^XaZu~$lrEH*rY&o z2^93DY3%_XjkGvhxOuF$!MF&3cVj8WzOqZNtFWMdZfVE|AcjLxHUt8T3aMnrQWrcS zTqlT!>d7xT4d2w~Zv9+Ujn!Q>Q#eDx{X9mXNn5|xN@k({u&}+sj-^Y|%^(*2_U`uN zq^FA&KC9Yg8!fR9^mE!?uvGlxU9H(B;a(Tv$DMR;W{{kCZ)_}Nio5!`L)>Peo_oo6 z+g<@OzR7ns7Im>)`(;nhN?zheCY5Xqf1PZg44r_08Y1~|tLVpc9_8Gzl*qz#b#)sT zt?cjh`QBUCE4rgoy2dIbf^{X3Bc!|Q_KFgCGQarv*99=Q00kBy8MhnYAXi%*x`!vGWC@yJidLq2wi% z-wa7Z=@<hR``JRceR7dDrQu_V$Rik3HG*`{jz`!?0gX8P?y4BIZXEw_n* z^Oh^pW{oo=ap>fFAF0Dy7me$merK=q%aonI9-XRS)@s9B{_EWs~sEFP4e~^zzdB{g$It(nuAW-qX zCRGz{ypl<&wOWn@ES$t)J(xUH3TLbP+hML|WvA`_xqC@yfnG=`v#YCHD+O(YQ~q$i zuBg4i!JKLV$IiT38Z|`tm*|C)-$Ox+Jl*50-=>`nqwnAnp}f$$Pn_@@6Dd#E0+%M< zD8JJ{_la0^DrIYZJxSZ8-$pGjb|(_Ho~zW{cmua1RV`0j7*M}h4$*7NzH^J`qA;N* zH)NL~tYHK8y&}w;yNuhthlXXJkA#QoXhZP95vT4dwbpo{XA%=<sdB@&WH2WuASlMQ$o}`)(A!tbS()7v{^_=YDA^TZ1zGRN;Z-#E8#iU38idI)ya z4c^M_KCy3Dp9vDjgZ7g%belQn+Fy7L0}2}>Np(dD3S#2SZt_Bty)}v4vvNS);JDg4 zW-o4Tis667jvihg$4(k{gz`Jb^jMat3qximx5BFpvQbU5c{wg4D50Kla0$zHH62H51B;)NqP zrXZIoU3U3aRP--W777JYk-9JxQvQ3VB@DRp|I_^A0RBIfZNKy@xT!K?L*BBF2jW04f>*>tGLGqF5?KC{-#eqBojp#r(&@C zIavxXHZf6Yf7(7bsa$6wr~Em;KsH9*!693P^}GL{e)aigcTo!qi;1SojGcxRT{RmU zo3z0sP;dYpCZGFJra?IkA*5kFu?uJ%y(%chP~bBrR)UqF`;^^6+s8WUF_mUBa_p9? zUM?g=G+JX(V*#HVgsHCt($_2Ac$Y^@SwTTT16oT(gMI}7ndf@QZEp2=7v-7?8^1M_ zuIAz4@nt}n-#b|(;}SNi#R;F=PA$jB$45asnwT0~27<;AE9=sZ7XW;dT!ctVXz&r! zQRv*r2TH>U&P*io{)K!`&2*=051YwSip@V;;|(iMVwJ78the{~nj_hUzeYyR2rn+{ z9%eU~*hEEhe0*7u%z~@YS;E@e$+oX0tECr}d5uceUHK7KXTN@BMnXZUO)f$IJv>|t z5Ftp2h-_K}o~=Dlrdlzsrz8eQe{zmKRwmvxijtAv zrv%B#f0F+zq`({qg)30e_<%XzdQUcAWzAXVuoQ&L{6>OKg?60Vys{7=YOVT)4KEhY zD@UGj%U4FGzeMgZ~$-d z9AUM`e1p&KQzu@+X8Eu6?TH^g)7Y6z7kS)#eFmhCvz6)vwEnm7v)J1VfvkptV`Tnc z^CKgbD$0xOul7Q(NccQb343^Rb&b4qtjV(du4q1&<8%jg^zek?58j&hqpjI7X=lukRd3<`t& z8if4DN9*SnQG{GRZ6a+7J11+t7Z1Da3_ZCq+Tn^P?8 z&MV5km>exbA#w4*;D&ZlKZwUd`*ZF*D}h_!o=w;22EZPUXZv4i>g%T?kVmry{1l{C z6RjxT`z+<2UCGvj%_0(vNE1#E{gcv(e7G@B?fa-HnxIg17I?&0a`wwtDa04EwvV$W0O=Sw&{k@AlF!W3NP)S9g zs14#)Fj81})}Qg#CUaEIS}eMH8dTs&uEqBrm1wd+QfQr)iZg+dib~6qzQJ;cu#Bmg z$9>I5#I^}j!9=auubZ}6dMdhH8rmm2h15S)z|F3*O^4|WzRRJAx<&!33ZZG#D4#$& z#7H)ZDdt`U43Vv+0r<2)8*wN?7?dSxxq!j8fi@$H6?)Eu;3DWI||hWwiJQwe!oBYkd(9{NF}NN#RHuaK+!y^gAH!t(TROW#9SQu|ENWzm9CNa5 z>h-L2ej*0OV|F+S1iu$G9#nIg^}V^-dVMIW)!1<*dAvakNp<6my1M)^Wcu^|dsVdQ z{&1$M<%jI0hM#HQ30xUN$lm*X+Tqw6MglM|@H&gUa9qjQp~$e1ejNNm4f)t?brFhJ9FGk3IDm3g&rON+OmLJ*C)x+-M6^(U^D;K5ET+ z;u{y+KIzMnjigFntF|a+G10TjAu{v|4I_m*B_}5j!xg6P7o1o`-f%K73{-KklXq-o z(xbZsuM+p(nIN!sK||NOxqk4I#{yY`h#C%xFM`zB@lV(L=K1V>26(e-qlJ z(L3o4Oqt&FqKf7s5Y>_OJ__MVfMAgPoeaOx98jE?ANHHVP0F02zP@R!(OcVSMYkM% zbEMDjLffP6tg`XWPiTntak!aGi?eE8O2=%qn5bg&hhjx;X(?fn9x}h1HkDd~PGLH< zUJTSk7rf7fCT)(qE+{k#qCp;z`%Qm#w9TQNKk|my=!%@i{w4?P^4LFHORela*ZZg==vP)P90ty^`b$78{RsAmq2&3SK9grn3X$oNiPBG*IMR zCU^difqC<#k*{vhODK#4Sxm^$?&oKAx2mFLd6mHKJzZZ5>gA!TU!&r25?P+>BSzoZ zx(2?KMGl}m!2H@V0qUh4LVT%$;x+iL1xk$0rLs`;#P_l_#y&*?#E zYP$BzaQzL+)gBQ|q^*Q0axevI;es=wtJEPJM+;ON^d#>?TDgdze;Nf|tyi?K@eq2R zYTGRILE;?`(*5>9*I6U_ z?|MA=puK~jf+0&Z1s7xx36v!^zFv>aPEKdy$h2=Yr){uhNh?L590Mm({uhK{Ab6z zlSf{=(9=2Fg46l8&5a%@6)`t|_i>dUOs;S83CbHyLT-o<1J-3)FBttHG?jOwT8`-( zQytX$03t`)sNuDcoG*N2uK2d0)N$K$^<@<-a?0rHIa{&FW7yb+s)(xaeP&6qST8zX zEv#gykwoh~DiyPI6xlwYAy7ZxQvTMru&_JRz`OKNxxc%|QK0=wC-uQ@8n5iYLiD+K zeR)G*_04F0%l)z}7%igf$gy2j0E&s({>MZFJ1p!fm-g8hJBp`+7JA6dy=)oF4B zER@@_-kApDg3-3cz1jouMpLVK$JpAL=@8(ynuN|570a?sIGy_G@2op90V&1(ZVXQO z*G*QVJLJnfL9HqGt8L@58#2E)rO}e^sKoOhubw(4gfm8a&+u-0D5z} z{-a=%FS|BZwEy}Syu{>k$LF<+JzK}}n$4KMC$bg`s5=a;nl;|4aw`rak2yHlAQ(c| z6++e7t=`h=l2i_Lwqrh0%KA~zQ(h3gXj>)G>KpY$I5@hP3L+U1Y^VFRoEdJ-G5 z0;jf|XROD5(PZ;VLS(B4J;BFAyR&T7ygGJ;tzh!HKQ^rWO#de60%eaiJ52FrE+eZ;T~t5`+m z8lje5FVy>Z`LWFIJclmZD{eI8a@at#RJ|ZHSU|Gs)r>S*gX0P`NVFiSMrEP))KOxo z+f(^7gXYS650yWT)3w#zF61Qk&u8VwNyVF?`+a2&*(t`JF!BT9_Pn3ddd^W2Q;qIM zDGa{F4b!##VcQZ|aX zcVBF>*m5YnG`{I<9#Us!Zq=g@A-;uS1o9rqZe@HCg|yIXox08UcR>;3W;8i=k!ZEI zS?t>5Sl=YXj;hUNis9QXfBmArO%YuuxYe{HneDl!-h;0AA!F%s#!z{qqCMTgtj#Gk ze?G38S|NHk(A;%_%+CoVP9Ir8AkBm_pR7(5HZk-}D$5)FJ=1pPNH|)B=JcO8vlDEx zua0?r@Lg4Xq24|zHgMy~(sU!;wjv+T*e5y!bI_4&y}F8O9pJn^nN(LSf+0s-HT*x) zRkO`auJf*4Jkxdf3Q#30vzHRT!32XJpd`!#9I$j3*>zaNsZItIN6HS2eIHxT*jk)Y z@5XX~NCgh5*ON(e&nC`n{AyT}^tmP1>9U|_Tv?u0x`6cp?)j%>k3*UlH@6Oab1$TQ zvBT8I&kc%N-)vUgsB!==GT@=wxh+H$RB?LFy+6F@(ydCw{Y&u&Y(xoAUWoAtS?Dct z{23}G!-Z#FtUm_uwHveuO1fyJWE02OUSZi-4|c~SJq5}V04!^9G|7B5t~reF!!Nt! z`1-PZZ`Wf576TsLdt;wlmJytsg2_k5pl1^;Bs*ybVqP6z=K{ga3xXLLYq9-6ZRX1v zA)V}CqTfuKDt^|CzQc+(8-s0<_a7KZ6%D#s^jjiRS}G)ky(m#?u=-l(iIs~*WHu&m94mw0X!X?YsvhBZJ4i(a4sGhF452b`Jgi$ysWEkU z*|)pf1AGXFLAE__+@2T0$c7359=XI$<)V6cc&x--b?PeR`5JEOPaO^WtDP?7&^^f) zjUzz#1lmZDQ%#)a#&I%O+tJ45<7QlJGR&=!0@Ur(zU1M2gZA3h1Cf9&uE@@I)pYln z_h+!{Sgrx>_%DUAvVb7bB3v<*6CYv-?%nnAx6fU2Q8S*utPba$8~P$fL_1{)M@9`C z+ba)PN0&g_BE`gzB)*m>b_tAq9@ zn&C|^PzRVQRG!;*z3S9(LVNRxO8ITof4dZd;o-+FXN;7OTka{A1pI;+@#<-vo$Ded zVeyDmY$LRwOh0}G)zhZ)H~FS>$*ax1Fih#)5l)ZwJ|Q*tP*{8}-cj2(Gf^{R)#h|N z3&(z1p7+=L%IM4fF*P&l7-vBE`~~ooaR(}qk|ZShgodDJCu*^%$X*<9s$%L4^*F{n zJrW3BG46}3pR6J0ftT25oOvR~HqYo|Kgz~`(N5qiu`s!SlS%Dp~W zJ;1=gd_@iN?Pn&<3Sv7`r;@G8+a{K9|5=EaU3jiXAJ7eX<7&RsRtAttMZh*zQH!G& zN+h~iAz;OAly(+Mn0$Zxj!Z+7r=LpzK^5|@)0Ts zcK5`zY`ed#bSqH-X1!t{>m_d9vdArCl}jX1?z5;ZGSE3Q=Um?xP+L;RaKvmpfC-xV z6fo_v!?RnZexJupHjjrIUQE;W!d}J*KQYIc{D_~gbtqy)?xbQ-W^-JZEYTPjHh@`Y z{mDJ6RwQE(K~dT~z?A}%SL{HtZK$wi4v?6C;bw_k0nCnE_^*#3__Yn@YnculMkwa1 zFvjs7(XAs~JoEw$x6VfW#y@~;;9uf4ti$(uIq%?m?q$FUv@-3qe;}l@nK@i9Qh5pr zp`ViYxStAh$S$k;lX|>&mfHM0i z`JWDzu|cy)?cnZJjiIl5HV1w5Ni;3vSZ;A-?p|(-?yg~ye>d(nx(DQu1_H)n2p*V$ zl^zy*n}fPFMSh|BR;NbUK2A4P6e`=*r-gTlhA%v>6Ri}vvS8~meLH^+TFOs6=tAmR z>Pi3~;K;1n;)*@p_e&YQ{vLuUCbBV?P~G&w$7k(p4~`B2e;lMV6dc(V;*cFJsfSD< zFr=Qz(Mo*}=$wL+{{Y-z?jiy{Hz^-taMbK9zFXTgbMS$vQ!J_XI)4##pxS#9)#Ad5 z!EYKGRgh9kaBV2Cx=2c(iCN`yJj z1ptv9&2&hi{X(0jy`iVLj5(<{PM6ZR`)jgX|Er^t@Nfj1v6e6T->}X}5~uQ5MOoe` zEH!<|hr8VWa*I8nUrfvfW(*2YpY6DfG-a{F-*6>;=Qh#DKWMH5#FOPDuU^FW*q~8A z6Ie?tu1I}U1i}}w21fU=<|#yBHJ8NGbR63Tdu7x*MG3Cb^Yo5rA~9C2-H1dWE%mqJ zEAUtWx+?WoS`r9kwYD{9=qX6Q&aOgdu=gNN(ETv4&UR*E^c=qYE>pxe6qi{~g1f** zjl@U=ge3sbV%bU^^jbT<1*^H&b&d`Z1s*OUx?Qi(!oDMVOegHBy9jI6t0GBdYoSjA7q26&14! zsg`Em)cYO#yQn;oEAHELoxSjdsB+l%8Rl7gJ_S%( zPw=h`mzYY1jkd707ZvnHPmlpSbxcj5U8Rw*R+~3nWC;K!#|_;@p>Sft{8D0mmlx!ZqrV{c8`<*iX62p0k^MA z=FipZs&{6~ye~mZ4I*6Pw%aRsuj`L7{HnyQJZ_jveG>gpxUQk7B!vgEguKxuFKUvb zALl$ai;Wnz5*m#v$=2l~Ss$cG@qaS_f>0N|`)p&S$YB%cqAd9w=Fietv?BR-{OmZFIg33Y z7D=Ci&_CP9ssMXf;))BGyV<{e$$nF()aECm;2o6mHHVFDzUSTKcgeHzrv6(tLhc~_ z8X%DDU|6cz_u*nB`%yvdb+;ieo*`Ed;PNVy2-X&j6|m(4YL2N>zb8Avu1zulpF|Ch zz^Vwgrhuayj}!zl=^X{B*NCek)1Z&e#wq0!kouI0^B>*7CMHO)KmaVNiJv+?OxyhY zF3tc(;jE<`m=Z9 z@Mr~=Amn6ebj#;8c-qm67|ZcSBFB=ZuYo@f>oZCnkF#~`mE*AFgCX=Vf$LyYm!<+u zf^+_X4SFMhx_(RjLR}+KIT0XZ_p;(;;!D8sc%u6-}0*q&HqYb!?Kxw4zhCFQmr53eBbrV)1v_();(+Ni7yGLf^BnvUIZIonfU1?=L# zmiX7c63q3%l_ay$zIE(#%e>p87U-d}9c2OZ-C+Z`;O@{K#K1F3la`swwyVReiP!0^ z55wzHP|h;4^R`qUpvngQ6-6&WpBe2nBmqq+Z5cu4e0z?YAC_Bg^3@T z4|6XbGJ)Pe+MD`L6jLg1X5Z)2wUY!0mfePTC*IYNj|Vgx-!a-F*vTBVAG6xbc6MSD;wtpT(2aLWhA~8kElKD(_uSsyjNfjf<{$g($yp18K&jsmAXDg8o@|qi{_XVU{SgX{YX^io8#ZqJ&5B6t&Pkj(;PwBw znB+`IGNqRpiEQ>`wiPn72KXY^y-9189LWUZY=t`8zVV@F!V)g@)Y1dW`W}y`9)?<* zDMByLvxzbhKm(HBH%AL=NDbrh6OGtT`b71(JS#}F?V&5I`DmU4dpJD?z`hFnb3a_y zV7skYZ3R|G|8i?H9NSf8V?-43^IS#%R-(1ZO{)nwG_)z-LH`E-dhk4xegQa4G{V@m zU86qTN%d>8O#Y2$jxM0zm*{{&Ol{wB!*6q*IM?lHXz1+Vq@^vM{nVC85zq@WkM8>2 ziYTr|sXe*^H4*k6fzw8U)uI#-%HFY(EOjFmfz%fF!S@L z5n$T#+LUhSI9-q0I<_gQir$iO&k+oVxfB%_VI1hZ)!_7n{pn5@`17Y!z2ku9HD2VG z>NTT@&?!r@?cVeJ9D>7r58b`cDW_{KM$2@Ml$A zhbNGAi$I^7G6W>Fb@*3O%GlsbJ3Wt5jW9EboHu?P!PWX&FI?+X1k~1C70M6g?KD+E z#>4QVXa;3P4udaL@SPGP$Y#SI@!qSc;hRr!DV``1<=8e=u*Z2k0vJ^Lh+p4sjA?fK+f8uv;1aGNkJik`XcfB0}NO z(b>n3Km(W-vidI-)w)UmskA?H|0E+}7qm6dqP?XuXGh=jkX_r?d6uF?(e{cDl}Yy4F5U zY4vt4k|B3e3kWE%XyFhM88VaOrD1%I9}sjG+@icL;|cjG*E zB8={=p5Js%+eX>E`<`29C_XR_{3!g`HX(te0n zejASSGybt#CT~m*)?%~II~Nip2g{0xO}~2AzSV-Rvktu@w_7G)E4(B(c^Gn)jbN09 z5_d;JQDY+(3DemU0bBa91vyys>gj8|ZSjizA zZXx;r>#K@O`<-~t<9%p(rheqcW@>WUkmSl)c-RIL1tk|>?6)-*+yjs5Y~>Lxp;HZ1 zq>JtMEHc%6Ji?q|>=FppPd-W>;XUN2)@iT#7lq%ZabUPrVwk4=ic8Q77$`zf3F{6) zMn_$r!({;}up)DR*?m1-OL-|j_{U}I{ExI>wmKQ!P43XslbuvwI!ojG%?%0P&&@`1 z=xAMXaP^>fYb8oEgQ%Czn@@pavA?e0iv_fw-}fnBenOd<8GkQYa{hzDZ`Ge(lu92r zjNC8zc-y54agAF&sL}7`pfm(DjG%R60MZXHES#wI*gfWYt44N7g@c2WC)1d@MpHrM zAvL(m`ObPNlw~r(UM!keco^$xQsY)7M?Me7zoN*`x4E1fOQ6H17c$<5jyV?yGjW#YGbBqv zzNAzxLabo0^y?j8S$Xw~28=m!bGM8!ue{}^QG?7@8tKFD8Dx-#jaU76lNkHYI>y7x z_p-i`mu{}ltGCb_qp{>A*D=j|FfvX}B9LK>cU%(E0yomtC*M#tOoJK!^7>XI#X^wD zcjf~+FfcG=jQ!3F#^2PMvB+VMJT#b`Rt96RDSO)d`TbSt?!%KAx6pNv=|?Tz{?iRQ zhEP05o2mS?J7T?z3Sz8DRA-Y%ImJF+KN2 zqT@RPH4V)vyl?gp_^lU$gLAjjPu#i^FMy-3Br88!rtPfV24pa97?Es|t_epdQ zNI{(jH!JM{<0ke4Q?Ka&4^Y)d4)Oav`od=MCzxS{L2=QHhX2{#UMQr9tW{D`9Oc$b@nrFqD(tUe7*JX*cih6_!gKG?+Qm8CMMyyu`Tat2p&p-^NgYN;Ip3ecmC%W z5fz~Sc0Cqu&}?wXVxXs2!((WB@#_#MoOV9%&KF_z^o1q=P*SA_PGe*{;S{1tbPOW; z41wfWa9JfJCH3@Xe?2Y{=#YVabxA8G1q9W)?ek~=pw=}27W)s=FmM1iS9ipr_No%q z^)6BxIp|f*>x8jNN5{{Rky_FZZ9cHR0{h5KSMwYfQ!T2y59e@Wlf27$OU>6BMnn7Q~Hz--kLho$BA24fg?Oe#u_^#of_7svd3m@er|3h++tz zw(pne15z3x=z?Nk2zoQQ1_{OLH!yR0jEVxn7)mV1fSA)zB=ZeL>=h$>-20_~&y2lNN^yI8KLNJmXP6Y0CR@YsH4AT_^Bn^O1+2r$^56ABOlxvCwAX;yM zTJoe7%@F<n>*Rn;627(jZ9g^U#!QI_0XmCkzg1g(o7cRlwodCflxVu|$cX*S% z&p!M7yr27V?-#UcYgUbtS$#+!V~Q7fd3n7?2Y_Uk#rR5FAQi(2w^{f8>ZnJTCGi-; zadfIeBN)gQqT=ECyd4?>r?JcdNBZ)I-D>~9#+%fe0fT{uCwM|xMaw7_sKjyZrlzl> zFO2_AxlX(%N#i72>AK@&aQQ@L|V=G;#AwaTtD+m3(dq_O%!ULa%X=7@j1I#~^tlNwd(Lq3{r>FMhO z(_xc#a}YjJg|5m>y68oJP$0^=4MH;SgJW7p-^U9 z>@Ov?TQ9#`uGBKO%WCtKnK6Kyp8JJT8otxZ9Sba2=qX5b<4hIBJBEcKT*T90eFhz- z@y=*(E4i3Yz)I8Cm%@V>z!B4rGcC@!7_p zt%Ikm9lv$TsmJ~OeenZ9o1F;G`_9v=AeP97d%_Th9>ckZ41cNkG13_d_qz{{VjUSss!s0}sUhL$T-=>c zWEa05=C{wh$ieg0Yso0z-gA21)72S5Kr#Bw&6yLocqc--ej$OQ11KqZ6!2$2A`nNj z%huf>_p;tg>Cf;0P>aX&+hn;+gK%TZ2cWS$4Kyec0S(qznCji5Q0w2OFlR_OyLB6cX`#>R^z~}a6!kvV?)3s z$TQ8(&dX?CBR{zx@^?iPTk$MqC{#E+E^C7@hRm$2H-m$}^XZ6puvM8JkCwQG;`<73 zxzueo5Z`t!aep@#iPX}(i$Uti5}I!{ft`*B%l*cylC71+^hvv&w5HnO4%Tl9m8;#) zOS@GD4JDXO0NVpnlOFiTkyaB5LIuBIcWXz5xB(Wq55~d0c4%nRx%v-0vW4Qsft&Ex zR9z+wpP%=na_OlD+wfP^i6{+yw;v)n{9RqosO$OPRrJ@fO-rbuV$s{0H0d1|f@p6* z#Weo($Io^eo)Nk#Yer3sO_0Aob+nHK5ebL7$=_=A@9t^~d`>C*n{&eI+xaPkD=)3n zMJeyxn2*Q#Nkq;SZZX=|lPVpl6@C8p;Ba1*JV{hS;*9OL#GbV!J`qohB)dz#@T0AW zr0*Eo8i`=#2QK$(x~JzpOOp_79j7yUM#uW>&Rah|%7I&@>2gVqoCQ&{3H|~+(DXQV zyQCBYCBYD#vb5Mtu)+wqehuWWu4e3s0LQ&;Bs0&Ux?BOK^%y*Gn~zP525vSz=`3Y7 z(s`}zNLrra0Wj!LY)S?aQrh!cMxN{ZiihqFXFmkhIkX}OJn+Gc`|Ej zMi&IW=YXwtyJ2{E{$z|m7o)XpG|+A>+)qJrdt`m8Mf;+BQ@ zJn2hFG%cf|$ic7?&PM)>pttp;X5sZKZ}z}cC?b?~a=|4C8k{b}kN`*F7f=1x<*v)q zvu6CVUq6s%xO`V!7FQS$Q2cYMFG}1IU)i4;S-aMxb%c9}A z@YWk|}UrdAR|Iz;oKLRbP=q_Ak z|2Mi(snYn*P*Lz6SHm7|0QAQvB^eJp&I5U|Kr}ZCh@V-d9lkD)6JT^GJ5{7l>AAAVa3+*p&Oiav5aj z3SN`3sUYC6dylcV%zHX}0CjvS==9WZcU)kR)c zFi3GYMd@yUtZ|TU-Z&Bw9H<5Zi2-apvti z9(Ewfvc2u6#R_;;83qwyeu@2J{Ze6nsG=S|Wbgp>MxeAu7vk_(&1ij% zFLuf>J30q+zpn@nfh&Fh`8GAD=n@#mP3g@}`?*k2S3p*)yESKv#UyrERMZc<*~mP! z471QBzQ)loPp=6Y)AGt+>A!E%f(gTfqg@KZrBu?jjo;~P&l;Y>+kiOzFs+Rl`?JSMS9) zXMLH{CH6pKQ3{(Yjnm;+)Xwh|`J2`6IKz+D$YnZBLEQEl3d-ly3oSQ3=q^#2oI*U# zhd-i-7RTqORNd^(O90&&Cxz9WdwB?Qm@;!DJCdNG@Fuh5DAq$biw3r47XvkjUJ+wG2bKu+Y>J-q*{-6=f;-=l z>}Ds+&!7Y%;94l=@CDNQt1LQ9z)`u+Pi~*fl_(iu=*TmF8K35gIS z^dMeGMj%CdtfKu{C`UXh3kWW$xn=V6X%d|OM1QBK8rg4)-|q+8Yy)$7BE#c+oc;Xd zUUHo2`}Q74NO~%a_yVx{#D-JZvtvq|%*V1a7C5Yzehc^U=Z)`o`wgsqZcuta{%UcR za`j4=mo~>#cuifVh{VvuwWwGLe2r@_)P1oS&G0T1dEj_Nrt@H2ut*Vw_ob10RbLAE z+tb@6;c>?tMa2UqlZNO$JF=1!Q^Yezo`c++Pr8GQyy8*yGpAz=*4QXy1zjZNM@yO4sXC^MN{Ce%&ckury^mQ*=O04AwXm>`033=^KiwSF zg{1*og^HFHag^(G@28xnaFofJqZYMBkq7k|Ba_!^AH{NS9J~$o=-;snFEcco^dSA5 zzN-b1+>`mkQqjX~@Mm6-e=oQ!NTg3i3kZR~SrW&2M_YfYF<8%@&(xw=>{si*GD_KY24$%I1X};hgyuLeB{-Y}ES6n$ z@hHv;fdP_CAr&N+>xo(zlBA0!uCCWSbo_vD&oPkHvl-w*yXfHs#H@y(^gpb6w1;@< zG)7z>3FJ=Y=<+m}ZC2Dx1zgxHv_{@v9p|?(l)~cFbcv}jEXH-@L!mT{lj#*`mChil zTr>{#E8(BxgXnp~8d2sshF!$dR$bDX_!o|$+bE~{G&Llysx+?&;Fgwp|49Ofy&X}nBD`&E_$z( z;tmq@Y9qy`0*)xR>qBvYm)10ZoY3KnKX5t2Lo%i^Dw_|a8gf%- zwS-|L#Qdo?X|Eo);6>yx99)6Y<#1@b4Z{EQP1I>)BVHW3kI3{PCKH=3|AWT}{gRx+ zGE&1h@PHCFs1=R!mDk}FM7yEW>+q`iVEJ5e-K%`6CiOkWJR)`J$lpw11_LqnI`gOA zvdhWN%>CmH*SF`kErOi zH_!J~h014}6&p(M@`%P**0#~mNE0k94w~dc#p?21%$(R!aV~xz!mH>y8$;06f6b{e ze4+#eA8Z$T<^~4ARNc?893l&3;o&6?#2n60vZjulfxhGKo`u}|5Tw23*ETq3eMd&8 z!QV60mvE4mVpM38Tn;AqvpM+W-vX->{?mI&HS@Hx6TYQ`(*Hz84WeAq_Lsw(s6qud zHx9%!Iwpq(Q3Idtd0}lSq6kH1bSS@|d7(GH&bhS=A3rAb>anNjxqIRZkv8u4T1~^n z7i46-<`pUrVGo;c{QQ1Km8Qwv?GS`Zw0d7JFQ)l^lVC<8M`tCOLpL(O*K?o|;1rh= z^X+T3^Zzto@63ZD$+24->xCt0Of5)%5yi{=;RV)l%udPqNL3j9^C*=3Bh;XLR&@Zf z(Xb~=4I(!W7Y8`92ANnYUtMk^!gZ+)r3G|E=Rv3WNDxWLob;6!p9)DrTe~?0mx}L$ ze-x2It~k=cxD5@k)hy9}@#>N9oF5J=yx%w-cLKdk*E8&fBCws8M#CMD9@& z23kFZPVfD@Mn+}jrf`;tv%^esnz8u#($Go6+Z{Q0f=6pIy_2pEl@kdGi4q3YN$N19 zFN0Sv{47dxqNXFIyYS4faY2mXELPK@MxwkF`f3B~HKWP}Pm?*)&3> z+9psXrKOdx#To_dDvY}L0gbJ<&92K8V9m&PH*GL2IF0`LC~b~v75B4qwfWYKX9#8C zM_zkP-S>Ct{OQ7M3fYf-|O#j$nxar=qtCKFG-W!$h6~&s8js=l#2*^=#`L zMm%|doUMdZgoYOivVZlrs6s-t`qV~mluvf`8vXiV0+c*V5DOE%`CU@Mt8bhU{T@#S z*B9;k+|qjIykZ?&d2L_9j*flAYe`VlY)>Ma%k(_Fiv-8^PH5Dmh=;p7m4*=_RbA#; z*fbQBhB6f%^&$!*7xYXS38b8#)>G5PVk&>e$`kI3g;xL*MJ30yxstE{KGIv|r48N^ z9WX6ki&SPQ!#8e&6`~Go=6CwQd`p4R9*~3S3V>=*o8(PE zD-&9W%uwV0R+v}v{zVv22f@b*>X5IYoM=Bo=eZtc> zMx7Eu?wHNu&Wu(vm-AXOKuWqQCa?qoguk`JKqFb!V;)PIowvY6^;#^pgEiD__Vy9~ zMoGnCPU%Q@cz4gGJN(T?L{u&y`dYM)7sRiI2E$GvG-1MxI4Cm3b*NL>FDt~G7h%%4 zncHEd@o=PAQlCf2p^9;RH}qt=iH2F)rYb>ovP*nYT3B6_(^!ziVsC1K7cm5BN@4*d z$9CnaKrIx9itvL=31rGQQIL~MFxf5{cS_7x)rGXMum~WBJ>)AfPvFvPQ0=qQ?`!F* zI1TMzQnH{Hd5zYP8F<0(S5O~)AWB6x8XpkVbAM08lmyO1p*_2&N|==9DnTtIh8lwo zo8ES)u9*t<@$$NIu)K5%cS=JB7XUe)t`iB>fr9Kn24Vs>$C&EVxnD(BQ)_^*Z zCoZ}90Mhmxq&|R#H?i5z0venZE1&osc08xp=|2R&ziT_)O;{S zI$^OlqVeaJ)uAETxD^7ePbWWkEqGJ=-HM0$#pBU3I^^n zUXL_|3Iv39OHQNolAt%8No8pzkVc;Rr^BUxbjO`~S&d&^cjNg7VGo+S%*Q#rx=~fu zKPx6{D>j$6fsJK|1rn_a^Px`9nGqp&aL^~5(#9KF4{x_MP9a5cU5~zY6aY*&cggg; z`62xY&Un!MkMgGusv<+qgGqhq$AaB?;H4-OBu|_Ix)(?=*P@_?U-azUHI}z7_jA*(- z-zeivZKnx$bio&bab8fZ3c3~~c(0GRh(O>Bbhg`In1?yQvLV!4o0}yV{M9zD;p->B zJ&dcN_rM9xYs0$8JIHX}8E`~=GNjgrQx$=9;lc}q+#DKgtnfCt3`e2*-5Jav z@qiBoIB7$ReXjKQ(SuJD^in+85NB6qZuqGB?Zt%Pb4rNSjlcwOJa1py!4v96hQT z#6NQQ8ALxfzQ1#O4!5Z@_Wl;TwQ*>Z@R(7Bjr7>e^7D_^{o2$km(X>u@+KlK+nH>56loa~=c3>y<0msykc%_%?YxhzdunozyoFcw6)XjHYb!i64&mpMqOoXeUQ+;SuK z#_p36P@fJc;q4-{Zel&!FzdK=LGMELe%T|9zc;31ol1{n_uJ~d2tbu;8DEI+Ylud_ zBt2AvHv7qFE1)5qezr8{(CY#m)vaJ8xX#{Tbej_Tal6waE~Dh@2^kDZNJ)#r0p{1z zbZdE=vTw%r#YxOE9o%pwY@ux+-p5_q$Nmqm)L(3`xY(X(^x4ncL(%wLZ1XjK4 zazY$?AGr76XVWi@Ca6dzG3v*)LSc={3uFxZ9;r+b(2l=_s+r|a4#25yhB&Raw~=NS z6E)vkfu_ZaVW&!PL8+a&|H`1Yx)|Z;bWepeR*A!OF=Kg78|5XRUdC*F?k>}=hEtu2 zS-QeQGtv&z#!=7yo{~RUBs4Hm49v(o!%?5pjTqG?Muz^z zpE=Wx1oO9{gdO<@b&q3U1#QV#S!$^0>2>MR2=VZKSwUhJ*G6X~X8aoZZgy@z2Z4!) zSFY`6%iR|o7_4k-%Vc6^hLL!WjEG3zmKO^k7DNMT#}LA3;XK~v6{6g(h-P0h=%Tx_ z+(xa4b+Zn^RjpuT1X`tuQHOGEFD3QF$bsKMGjm+2RsK6zpBhpUAdx*aneq{FIs5tf z`xSl$Ur!YpdQMZcRw`>TX`StAOH1?S1%$W#Y*8{6<$S99#!9qpgwIhZ1DNGmWsA<| z%&)Yq&)?6Y?E#Oht?wH>MeRl=(^*D_^q|TWNB(q);Fwv$f=Qa8S*Pn-H?9pb$dC^# z$B{Qv51r$lmR`t_Y=lIcR4Xo}E!T+C$j3BQN%n6(va?5Wd|MHJa&yW_+N08Lywx~R za&>jBbsyzl_~}l9L_C%Xc)QHUCswI=D1$k^&Wi(XW3|qqGb76Vin`Pyi%s$WSiE5$ z)(*u2*&LdqCfmx3ki+$;3!qd&E z&UsW5(YE?+SyeT{4zKB0$ZV92r~E9LjCZ}f(`x`Hs!BSm)rPmAhAmBNwoh4qvM^ zSS$r%jxM2p^%*n&WZq^@ z2>zeX^H=m$20Y78zxnraLqbvk55ngI?r77cW^%tgHiH5A5iQYzHlJ5l++hZsjPJY(eu{i*B^QMJDD>viYcGg!#FjI|Xyv%nG}p6*fIzuB z=(26kA2Zv9@naxnn2TGsqWKl(!rZjw_c~Kkvp(BBc;ufD5a@5#b-UPo#NAI?nm_M? z8>;`PJE=LTeRoo0zb6#kT#9p+8GEAYOAbEC+2DMcD(AOMksN6;z8!!6J1dy^hp2^mku(y?sCltj=!^!9`lOT^-C=21 z$lb?1gBrhWMSVRqJL*0$(hMcd5cV9~g53>ENpSnl{?jdy{HI6x&h=FWdCqTCpfyDH zjB?OHMlQxrTL0DP#dXDea1`@Kz@%#X7O!p_!;E!%KqKN>-?r4sR$L+py?!lWMuD*& z#s&koK&T5;Y2Sel_t_(q2h6%I=N00`@g|HHK0{HPj^@?x2!&{VL%zTZ+hap(l?{vy z<`m>2EKp{5wIahPh|%Z~59MIFQ`4nESOBryC#wkM9r7T7`zp9!RrGkywIp>|v%$Ge zXBsaCMvdv)LbVd$v8Da=b!9IeDIRm<>I#K(bE+W2L$qA4h2dtUPG&^k94$WH+PRZy zQwb*}`_$lrOwrO=A1FE8QT51F+HXE~iz%Vl?i?I8aVD&JUaGbT9y)7K{3DzOaD9lKBD3o9$sRvHzF%iovEc?|0% zYiLNQh<_*H;z0%p?vn~qf*&=wm+&ZqI?e@2n~)M?&xMe3UuyMp?+uCmTrbuSdEcx) zf@|z=f8At!Psb(}xI05c4=sEW5fl6U6~r)o3cFmli#%UyneT&%<2|(ePm5+E(04Um$uh#%S9xB=!o-14 z5ey4&-~RSb3!Mzmw^rixw?K|pd0xc|3-_TW?de&y|MX8wB011E-H>I2Fu_05>k$K{ zvaw;)^xu{tbfE7C9Tk8|9@8704^RAGNES!hWv}i z7aeXMcVk;~$>XJ;ti1@*efzA#%4%xl+a}x9_9i){`VHdT+%0(x4f-?Xy7UJ#&WYVJkJ^V z`333AQZ()R`*^-)a4%tDjq<@f&np!=Paefosw#%(pxLm^q#%y_DvYr-6?_4}QuCyLj8I zdlsz$AqU`{#TVmVN`WWC+C|5AjL@!89|-zc+QELjU1rsUo9YOvY|tNd*OhoH_iy(> z?To1$W#BFed0^e!XkT_lpEZdaZ{+9gF4SGWp0re3?UvaecH?Q4v67<*xY+oy#L#@j zrz9FY?QcZPZ^=cX#(q;D|w~$3%Qo>LLHCwLR4AC3__zIgqQ4oFNgnr9*Ge#N2Vh7liwohHoN%f3 z!UGjJ9)GLppK219p==qET_vD+RmYI1rKYd2{k0mUTUu3-qCdVWtjg$SSk%N}sGtk^ zV4euq-ayZS5h`C${SNX-N7)xf-Lw(Tb+qsfh$&6jw__ z8;BkW_io*WPTHR=yE|g%a*O;KpNCI3F}E&MgZ{`&H3)I6NYftF{AaGuelGK-SzArr z6cQKXk*&;9%@!c%KyV#O@Hd(bI*5rxULr;HV&ZQI%EwSc3M9K+-OBEjlf&REgogqv z0OjKP&95107Kdn{UsDx+$^fyb!s8Sp5lxg0OW;(t@o%tmWIe~A9}2rqiM7yAJ}s&! zQ?D~pPS|IGM~Tg&8@=O3PxR6IolnKW6I5x zy%=Uy;XUu~R-h2bEKilA+FYcSUtv5(_a54kD3osJP8(1;q5dYWR3IAcicSyQ@1xg>cmZ&;%ueQJ%@FTE|BHnSMC9aS{h*s8!otR-*C00-<5-W&{xM$1>MPj$ zX_AD?MTtKsNMbAQ2{x~#WR@BSC~H*7#$Fyhib523@Rg|g>w&53ZMOUNR#6Rpfh=+3 zNjX8KrF4yCp=jKsN>tOI^DtLdDQ*lEG-^iLxMJvBRvQ?)AAgT3sDwt9g4CZo;^tv@ znX5uI!mc0T%f!x3KD^5)<#0jndcEJ5*W4_9-S*_0O3vlB5zp)LqFen^(>1X&L!C*& zOVM!DNRBO2HC7O^Fw>-POpt$NcQPuySvm%4x`(xNgRZV>$ z2W52^8*e1-X$aRXraxY%)nj_t)_SE?sMxA_OW?U@RZ7gY$$F_$ZzQdSDw3O^`lN%* zb)zcy%Mfc76ie&r^zb{x8jAb%bU|PDDJj0L6^1Z9(x`&^EP1J^nG}DL>^#VK z_gf*o5n?+I-k)ur8P04-_NnzPXRxRK;BA(@YNt{dVZUWGm~QD~PEr)R5L_gmud**& zng~gkSsInNaW%dEV2KVRlrO|G;MFL8K&$>$Nb<(p+0}GIElz5LRmO`2%=&u6Ne7Ua zd9J)2@*w$RW2R$Vo|L>a@8{+(!}NMn3SwMx-*#(Qqf zYU2QXEv+V1wce-v{QN*Ih!Dq;l8qts$v^x>&nqAolLeP7i)|C-$w1SyoNp>BgQ|f+ zN^M~y3UDO1$;vB50t(0^PT`H!6k%=@9_HBble1DYw*j|WlAh!ZgRZk08Mg!CUW7X- z`r>!gqyqE(th|%u{%#Du*X%g_XkRC51@c1L7~R}6!!zmbN$#1RJ5~Rj6P^eq2Jt>H zj1IAAGUmPv5Ql6m+) zl+m1u1EyxDo5)jmZVu!1AMe$6uU{?xVnu-A5P&Z3J;rgD8n*Xh!tL_|&L#8dOj??(MgX3S^|&iP0A?-l>t!w=dD=&VE!W1qh%vjeb@YU+Z-}@(W0sC zCYG6(pnFpn#_8vIL~wQE*u8zv?@gDOD3bGRmFrFLgRbyPLIkAWQQ!0ohlL{aWVz* zrnw(sy}2A2zz1V^$c;zK)4BIFhG;9=>2Vn9`)fvdk4^Cx7I{pL{!CXtL@hc|{>HXY z-+tTUkB9N$9{~6Z({nX;5mke*iUl9%y`M9imb^}X?xs5rfHEI%p>@4N8uPH&jI)k+1{vzQT@U2xQY1Vftb>&$8-RXR!G?z2$vfZ)+XXRGM$APlzu}_kjc-W~BQsNZP?v|#~3`ov0vwy|HV?|D6M^sWND}H_(^i?xO2t2YtA6C*(~%<;zVB ziYdKNS|FV`ElMrSKi? z$B2^o6Mfo5ff9oWH;OWM0KM{M=bs6~K~6wD^^KJ<@XFB{z!}1&Q-jhJHgL5dlffJ? zF=8^6G8X>cX#Bo2QsRB5e3G$Wh2eHM9t?N}GEp&hGULPs#@S^fIm(Zz=?F?1ocOo1 zM^W;1_8%7#!7Awd-@Yau^JXynP1ve_@75vS8wp{O9u3VnXzt1}Q*X3WlU^(FbP=3v zF6OakDF8mRBxY+sIq{$|+RUn@Ob*iS{FZT3o-;ZY7AY3+GUf{REd6T%7%07Z(v;TeJvOW{j;8$U zNe|z0uJD2nChwwlhEmHiQ1|U@abUf-!`G|~zOd~Vp5TEcKr8is2F@xdb9Or0K|Gn1 zcXspmG9>e{H5N*(_wl1T{hNcOvJ_vwt2Atk7BvKZd}jgM+h_Xq(@6K*YJX3Z;7vQL z^1qeQ8vKwtwNdvZW63&mXz0 zYq_lcLK-gko9#3q&2~Q7l9WmSN2ISk?i1{{$h~(WWN?SvwM#LWEyfeuqq4s$N3acB zQxJWHYF4~eIQpK|T$)*?KCnWs=n+jRwMUHDQ7YIcOB7J#s-aj~C3g{1a%DULPD|YAB~j9lky%V&3`x_~*zT>4i zI7~H&P|^I4KPXl5-!D;8UMXa%sQf~H*S0}PL3vepKnl}dV6R!BkT4p#7UU`zNW83< zv3~2^X@C10I#7W>=IAQh`3EzxM__BXZyi1`FZFgPbeJa z(*#ts+~1HBi&iM>Ox10J8Qj(eVR5kMn7$Zhxjkv@ z=qS75a^QKl7dLA1va8<@e5E#(34?`~jqc^N1_v-A9qg5{VgS36g@c2kqV>5x&1xo9 zP~TGqCOBy8Zx`McrcrPy7hzl%fK_sm$Xb=mo5^{rKlNb^W#3+# z=Kbhov)KKF0k}qvYs{GoJHp*|ZsGUp^xn0p@ow?p$ceUm(}!hGg9)zEf}i=^&BS;g zBW0zd6(}DstK)|1mu)@VfvXsJhXsFOp|+I*HrV!gg4H>t_wB>0r%VN4r2Ee!!M&`< zC~4IdOA)(YLb#q+1#ca6TzcgFZC6@7BcoDva}_+1hU zb>tu^DXL#$cBG}k-~@$O*GS~Ns(Cj~+==>N8nF-Rt%Slm&0Qyg!-3<273u@Z+0l0Q ztJ-t^{SDFhlM7GXVjrC$?nq@sxa*&mAdc*B=!L6~73yI?FHQ^!5+7@pK=S4Haw+ z%TOB4-{l-&Y%%>As$cx1E#F*^6&~G#SnXhF;8h(bc8=W*=r!L2p%B`jy2=CFo+0Lc z3{fN`VBKp_FV=rctgn}U^|*cZ!c~Iyr{2WTU!es)fOEdJ3F^O2wTTTTZj`w8bW{Ac z>{Ua^=Pa#vJL1p`#Y)D`&aS0~L{wcvIqqaJfs*-a?MT*9j!N?adD&`|bl4z%90i$e zI82duqZ`IW4*Ze#3>lkKE-?PhqtP!mR4-Pk=L`}TXOBBk5rxOtNpi#UNY3`|IJtqz zywp9y+`}9mh&h%xX$9;$zhP0Qg*^X(zpGvY6x6KKs^Y{Wpea9N0 z(=!=8#_;a-9Wmz|A20h>!E&iHL+c+Xx34~}CU{?%dDEdRxfdKZx|X!o-{=A%NOdmf zjfm2j+@t5hTc-ozWVI=;89bM8&$Uj}XRbgdzt#mwe>fc4nJ5PBkpPh-$8I~DE zO`hN*M{R@d_7PpP-^u=Q(0S=Re%Dja(w z44`=Yo+fz@n}MyYKfe}-B;c^FqJ>vyqjJa4?ZS*B&?b=kvtTpWep8^_(|ntbhXdqw zmI19HxJRm9W*vK+LA-xLqPiHx-0<|UcXRPP2UYZQb7LQA|5zH!Zoouzn<(;4I85_xuEq!z6YjU&EJ)q$ zT(@jRFYu-9+kjy$>j#RCIduIvkK^$ZVbfUh4E3i7bSesuAnNJiUPc)`%Kay5@#kmy zGnbwM%%=IQic8`%EsN9%`La0yw$Kv;Lr~({0fB)3=fypr$NLFG4UM|GX=Pub6UVG> zlVZk9egx!2=hYT3aj)7jOYIAuY_QTF~qeJ|vhpph_8!RWOfFC;M5^yWS@yx=XX z;awN$m5HvpyY(b;lhsjT(qrT4_~b0S1f_CO7&3y5e_v)i)1NJ5_%VbNxe+DNBDc42jKttXwN`%Cb`yaAM0 z+Zz&dOfi&166P>Vt{BCo5$igaZwlb|#~Cf!P#GjDLT+4Pcq#Mo-YNg8Z61x{tu$FH zPZ%!tL9L*(h&C|jn+f=ZCq^dwuKTMSDmI~^dxx0)Y0$)YIc!q4CQ`{nWmB7!uG5S- zqe2%dy0`PSZ3s380@fg^x1qg>npdZ^f~c$cc=b%t53Pb0$0b!`D&p;?te{M}>AGT7 z8ufLktL4qOEy9-~i^!7Bi87auahnoEcs_CMTTa3&MB#0140baCY#zLs#CALqm*@hX zL3i+~_#`xIYHy>n-Mc*nSunNzqa|31kTFd+}#n zOfpTq4PHHS{HCNAy9u44-EA!NofraUoGypqOaiy1(dsmD0ED`Ko;oyowqcMIsgTdh zdN-V4Mxn==ckonOH2nVL)6j=M(bS`|Uda=~J)=XByNrLu>;@)xdw`(dW8B5Ni_}92 z7lq^rARuUA_ICh|Z?(sT!mAiF#GhM@$?Nu~4cuVYV7~a>8K^BszY(k2qKkXkesRlM z$m?`@clk{v;AYz@8RcD{ap1z)x~t$Lmy4uTrEZc?FEx*56u1lV8X))L%BO`{Hf~fg zi$47};4jzAcD{WaoJjgIRphp!{4lc0PW3(QExtM~_^v?bHYvh0<0cEUO{Wpo>v$h# zpmBA>zBnzn1M^w&BN6SuyT()B56{$HAN$5v_ocT6)3y%m5Gdmqyf`Dg6?#70Cpg1k=P~1zA7A;P3FBA<93GQAjP~3}K zad#_F+@0VM2paTDpYy%vIr)=6lbJnxPiAIc_gZT+-C$$L=b`eKyga*5k7an)p^${5 zB2w=_h)^)u9VX9@7xtrh?i6$O`Bc_O8w@2NAA_DRl~Qbv1*T_#<*@r z9Pf)a7riVg`KJYh>la@CR{T9nT$(SFIcAuO&Ny~lv;itRX zxFkc!iY@A8&#Qecv35~Hf|xfmdTK*4JHbGcz|C;of^(L;N7gY&F|VOsP z(c~V%8tU9O8fmtboD`Q*cKQ0s6qug+x4}WfFHxx8<0g#`k7yFZo942%7FW)LvqIBgTKHGsoVR<+j%)Shv=0FGWpE35hckk>eN zLujK>E7~!Slo;h|;J{{8lRWNE5Du^VB@V?sya{?^Vr!%;#p{GsiXt-`0 zelx(ZRvo~nU{(b|Kabc7#_W5V1JQ@*?b-1QxMz?PiF;y}Air zp>ze6dV!7oKLfl@S6Jt?FrX2*I-Z!X-^SKf+^&Ty%iK9a z+H;|wYJ*M$TLc7^xR z5yiE6&3$agcqC(TrX}J*>)L6L(a-Jc<~ct-(d^^1cEoMpyu7)%ima}RyxdG0RsSfr zoF|{_m#xDQlzz0g!ZT!%&Z;z^?b|>FUH!qs6jDgR3&lwW(HxxNhy{p0P*G4%{%6GU z zyv?W%=y%@+*riF^ll6m!oVS}EgNMeePKgi0EzpPON{dQ%K4IW3$uHcd#sE{e>i4@h z$9V8W5*9|BaT)1U-+-&1^3uhUSLH)1hVPcQ_}X{{l?O0n-?Cx(qMrrTnfJR3P~rpR*mr$i!2 zOTaWNWgg6C3@|M7ZaAPxZw>x4ioHi7o<<^+jjb2O?@p?*=_ZSIpXvFV=IwcP+#0Zt zM=wu1WZ%fqk$6A2!B9;ZH?(9UGZFuD1w0+@59v{F#AFSqu7nT6dI6ko?a=lQS$H!8bc0Oz(3F>FHXk0Qg4KV^YM8JQM~vXc6XNrH zKNxg_I;i|p4|;|2x1T-m_ru`Lu1};*li$6#Q>1&(KD4g8JHAA54<(9NXB_)@pl<-* z!H_}NVx0?;ghRWV)u^=XE%^2E_8YV9YhMh|J>S0-W)RbEIC%on-m|(!m?Sf5 zbxj+Q7#&y$JRXJ=N<#KbqQv?}%^kU_S<)P6tX9|ltXhM~G ztnkV90;lNd!vgEzY~~eWgbt~_T{l8-ZRtDL&%({<8iQ#Ae74|3o*a3X{V2SF5&^B5 z10GdGwichLhyur0wJX>uIfKbIHX|jxSK~Q2YcYcqTLq zz%`kqgNEv9;k9kYu%mi|8oR#N*D@o3-lvQGZ#C^c!S}JTzLmz982oHc&@+`~rD|p} zEje7gJBf>*m$Gf_{De;FS4N22(IuNNkv%dap#t-RYQ1>-Y}wXklxX9brPWeAkMZ<( zq$(AM=7-X)aJkI!n85FQKkq{Wy;rdN4i>%oa+aChp~ca1Ni1MKVl2Ja0oT`;9ygd` zQor2%tw(nxvN*bGR-fEX-PQE!s(5;4I&V_$$M1|1Yz&Z>bq3gn{!_GhOILLirD|~I z+LSNqa_=$kMn{l&Q|Wk-#UW0nuJhl;z|lsEIy?!1Qtl1jL!M^5V>j6mS>V|)9* z+7_dLgYlg&Y0!=nyyBVWYIh?AyIW*pzf*IrpWxauHx7%hK)%6Q^r|Oc#H2fb`+rQ2 zSSCck&nmP+r5LD+p$NhSsyyM~;rS~Y%1->N7#djIP$2GUR)IO%%f#r8vkDG(lZh#N z>m;FC9dcJ{ynK^`{p+xP+K>;Mov2#7NG|E;Bb|f4VHwO6ALx^{} zCN@@AARssu;z$720tjC%{ZlGalQJ$&d6tN2*dO}8_gw^$&ZPk;qZ}SmL_xwiK{4!E ze|iQ^cjb?P`YI~T(kC|;_Xe&|&-&d>8m=#7yNHwh2h)9qtPvLhI@zYgq47ix zhQf1mkY5#$R8~R%m{E*T8tSqJyfy63t9QE2;Xv+YQI%x4!Vsc=dJ# z;aIc|6L;8z=k}ZOV3_GytyH#RRk?gSV(H`*1^TE=T^n8+&kDAq%2!jC;XdJy)@pc+ z@0z&@s>tHVYYoda5Kk!8Zj9`EvlMa$BKPG}RtwWKpK8w!LP)HcLqQ_LpLuf3Nz$O^ znLD=`(Te7n(gvST1P#N53gdfv@z0FJ%NrGZ)_7)Ocd31NgGV^!uvA7ZC11tl6#P|) zdw%d!{$)@p-x%+*ElwhpIg_`k;JFjml@W=hThGoAE$1RqZ{IQC!>(u?X)x^Bh9snj z{RN@<$rtFUBicAEfW;^}CJ0@5?uV5!C?C$cSXT8se)qX2=1qRS!-+-b)6Y8HD}xSv%eHl>ai1%8LJ5BG3)FCtGM~Kq zHzuafd}NMS#`YxJ62smQG%C|g?f9ACocn^#R?D0tJ2$%}i|*BqT?BPrw(5jj2T`1K zi0k3D`QGeL9vsFSWrz{EjV*~RL7(8irHWFDJ|*5ho^!5#_aEYh*UcWMUt1J>%Ev&o zlL*OWWD;>@^U!7wj21K*G}E~Rzb_>E?cg&fQqT&>?d{TUm11k7NTz$Ma2D5}OZkCc zs8}`y#Y?!z?Hxi_s7BoU42#{x!(2mFZXo~5O4<*t#@n6iux5d>pWwyCF9^AI+@Se~ z*RL;LR*Sx54Ip(N4gHg~FgB7%Mv@9I?rP!)NmDU=HGr=Zf$>K+<<+j>6S3wQc_E3~ zt3`4WzIeB$E9OhD?4`yN)2(`&Tf&$oxuTo|hH;;^s_%L>sxCH{JpDE};20evt5Q}l zp_Zmb|DwBen0t3sT_z{YN$hz{m5FJDk7|dq$sb7ZzQ&HP4hU z4^pa5mYt4boy;CUdiJz`JycnfyLv`>{bH5E@&L-o;c7AM6cx$vy@{*oR!g6@l@tr3 zQuB!8CC({ca&&8J$f1Z(Ig%14b&!tgL= z)7F(91cCEKa`FgpabgD<@9;jkYgejsWCHI^G}W{QcSB=_F6(g@>RoF^@Bg#`VAHyg z#(xBOtpH^+uZPVSjJ-{Ub0JP7-y-a!9{|_4X@8Nsfz?IN5_Ft3HaUg1N`t^SawDnB z(7orP!EL#1-Sp3bdkpTd9#~~RTPP33BwDo1wMeAd$GPW|KsG=WRDc_jj&@(CcQxqX z`r`*~M@7k(6Qd3#dxItpc51d#V2S#ffI!7}%GWXU*!4%g$2%+4f=q(Y{qg~^<}07- z4!skdHrky5tl>YbBr%_Y4W9-jy<)F$M6~Hc$Y!`WGbPFx=ewUMYjWBr3c8H@aLceB z3}Dg6?hN^dzW6(ns!40z4IgdRBFP$U^aAf@PDvi4n zu$>Y90wszlWf7U)bypi4ODqIwJ%rG0!ESbz(novA!79Bs!xsU7E4LA5PlQ>80&Sxz zN&#e+2fLb4hxO=DyBH>(8Q)px77668Wom#2dl3Cn3{czIJ{hai%XQaP8U*u09d{LI z@tCxkJdLzGS4hjDj_s{)L>vsn_Y>Wqat3sv^RHKm=37%O$UygMp8c9f$bff(@7NrU z9wbj%tYVj&tcqICTCOe3-=#REOn$Nx_x<=IjdQ40MS^2yMziMn7|;AY-)J7A@=)OQ z8vUJw2-~q;1`OV123U&GgN+FpJ%j2CiB-Dn>+h$>Sijkg+;eC71Ks<=zgYLTV(*x& z=jb;pC5FXl^zNtK@d~R|aMzAm8-su4?bafip4_bl?H*wF+A(AtiIR(y;;KG<+S%g= zr1Mf?QXq7L-Uu?#T=6lKMTkj+Lf&1&H#EF!ueN@KqfG@|Zh1mrI;7)A&&x;lcbBOx?f<1NV zKbLqkatA)Y0{Ruwox)X*y+xfQrarQ7&2%lG4Xod;&hRRqbS86eOiDJSe+DM8hoTD7 zgbt$cQ|yQR66B4zJ@54h5Ty%U$Fx-Vj#=TSSlqv~GQ}9(d=vnyHoN0r@S0+1auNFa zhoEk!%>!PNwlUx887O*t3IbHXbJKPf8%^5Mh1@@HRm6eNafb+F#fbDWhhE%Qadfsk z%21z>-Ggams3mScWbZxuO3^yd3g3`lxg24;;x(9@SQiB<2865;<`$k~D4`cBu<@Z0-_lQ!QgsE6UM zX^k0Ku;}Y@qx(I3a*VUuX|AEDT2KUPY};FOWMAm3KGsaFUx1efOv!4uBw$IuN)<1y zbzQ0)MN2p;?mczsr0$C`H+gy4H@Ez`O0-%#*`vJ=_YSZZkH`|#;IP$ZtxF7z8I z@v>{IrJrWuqWH`|qMY3yUdNmP%`DDLq^%qM zCZ3RSk(1>k>B$E2@QB_X-ncvlIa#A3=|A3*!=M$S{(-Dof@0JRk8kOmh|w7nKlCzx zvDDlT{RO|^+UtR;n>yc?vF=ZeC(11+k-ldLA?}6%m3~cTDQkaYju|?ykTgsG+6R z+|^QFFWdeQZKe6SiLQ=sW^#3c{@ZL>d_@J7Zi9VvWZHhmK?J6*Ud#K}E?x`{kr9$j|SHQxX;n{rqx*zDS{Y3Om%ne&oMO8u`;kUW1mlZL{KzS1V^~fEaB5OV^ zrp!a zD6O0aV+$}{aRYy`l@Y2dgJWS)N2)v76kT3-DX<7&0Iw@ynaQEB=w-Q%s(>glk@Mz-DjmN3QkTy$48p}+~H?@gEntQ1T zR_nQBO<_-pv_H+^w*+oU^$n@aZTwPefnU7}gWDD5EcIJ#CY$xu4JuJET?-*uTI4}6 z8{NFKPU7Vvh9V0yg9O%ZC~nVRCtrwilb+?g<25LBt-R7FIL7)(!cKDBXj-_uz!()R zmroIhL*HFiR^dEC@oPlb&Zr_vQ;O`YXhnUuLdjaG4>p~vE|)Nj0xS>kWskj`u6ThQQhhu9?HUJxVBK9 zM9Ji@{v^ER;-$Je92S8jn>7K*qzu)_FRwUiOReE|Q%Q@l@h6GN3C$VPjQ4-E|Hw_r zDSb6iD!nVbO|oeqm_~WXV_dBK;DlN^da1-w&J02FnP0?wN;K0ylSy^HFSYH&vMAGD z$n7XP>HIxM(Aa#dW%!e%yORWfly%zn`8>~8uN=^$M&xPQf=oNrs>a_P|H|SSHHnc} zaiFZ7bYnG8dW|eqlEH>JPqICL|K*^XflSvfx#+ZYmW3JNFes6ZWl#HyxA}EBd7Jub zRvBOJha=GL8#w3VHY1NPKSPJ-zLMunm$$|4v52`T@I6>xJQ0U{cE~JtnUgYO1*YwL z?hJ2uI`)OkGIKWQCkU*0t&L_$9Lhw4-omOr3ry8n6D)jCET1 zq(xoVJ&l8)TO{H4XcOGI=6@D?z+VGH)+41-RU5g&2x6o-@uz68eZ+~Nn!=r2q}?J9 zX!iG?aj7}ERW3E?u(yYQs-S%p#t@!Ac0w>(YLn~gTcMsiXHFSRY?w&G(()U%Yy!jmVqq+e_VQW#`n#`Q=fG8X5k z-v06^WHI|QnvG4^U6A}rdlDNEwTWzB=SE9_I4RNKP;jb+V^3K{&S@E>2pes`^4&=*5%(ckZPIgy=gzJGC`I z;b&qln6#Tt4UNR6zP285V!fAUSet}kWvT84w#k0r_wdUIX4gIDPGTVncOL&}OrV;; z#mbHP9Mj6-Of>!L(>EDBa||x}IZ-9Xey9)PJW7=QR;4gh>O`lc+bJVD#QpK9?RDlO zelSS^)&dMb(obA)@ne?YzHEZWBt6pC_g8yY@VVZeL?_aHoCH@e6QP-wv_b39Sf1Zg zP9uMV%TSEnAt8Xh5&8WI2=oA(^S#FM+z=Um@o7BG0Yu|_AKJnAfD(wQmZ5Lc#4@0g zo>b`rd0~Y&xv=s^;&H+~Uwf;q{aVaQ1aP_NT3lR_d`|LZn^D4t7Aj)$QniNqA4LC; z5sr)V`6M$29<01q>Sb--kl3sgWpNe-e{B;7@TswXI zYx8fwxekVcR+Pf)8{CH%XG$%uDH}whPZCt{_F>UB?U!eq;c#aQ?ti^&*{T>s7HGXB zF%Z(9`bA2#g-Q2c-gGQfj7)x-$8lHrs%g8$_YXV!$3gEu`5`;sQd0DT;n`_N0x=G@ zD(`n@>eN5n68~o~$aW#XD5UxXme~6J7l!@EnvRfJDIzr?vCc&N*F%sfjL-%rdf|}y z{@*!w;)He9s7i9#L#nuNNm%%+$3+M^Plv0|S0(4pM;tg#u@YFpuMYq~5N#Oy)OM=k zDcbmu4=I(2JVGxH!3rH3Xc=crWz2HpXf5boElLIFQ;5|dSU=NNC^nxPpLFShis%NWJQG-%B4 z4jTbHV4sqWw#|8p@lMYG8>2}M1h=Qp#%~(eJtljW993lclCfZNv)$WOA3tAKzL7~*;@}lNpG-Iol)Q(sb?E*;av5pdSKX5@;?^mQ;WIipD8Q{Rp zcqsI%K?72%vmTz%3m^uu7cNB2!1jc~W`{q9;b%A9hh5a*l4XNa|2UkzYJmuZUZ8{Hph&f(*N zob;0-Z03fbPxn~x(=8MpabXU0T*~hvZmT6Gbg7t0pY=5tq|8*MU*M z)iSClgl}7#(_F++r+%%K&#j2)n5AiKs;*(F?%1%^#X<{?h;I;c7{a(ML-O1zzb494 z*?wi`Fi3lXz5R4Q0*0iohF;F+bw!t%zssiP9Rf)Sud12&UT3tJq8tNB<+yE{CQEkt z+ul%vV5vaJ{y=)o$BsW`=rXxLK*yYz`!V1_op~_0)T;bW;F3;5T)uO?#3%nz|IA|N zuy#DQB%Ob7N2x2i5Aip)jK`%GqIKxFt8N+I_PeTUspHIDQ>yTmz)e(J`>u@Clmj;Y z`OA{>e)iCSTLRt&9l|s6FudB|uz2V9o{$nFV}nw}eNe^s9t7W+%St9J8t{Qu@ zih0|EeJ=wYn!Fv-C%L(4(eWsgvK}9=A>LkqqgnPe$l!$f39F0R)ZLuK!}t4AsIP*u z&9cb@U_^kMb+-8W7+4~JKlM2@+?#=Pz2okbm5u+D9(Jf2=d zfOsPl3D489Vd zUTiyPT{_0pdV0LOy-sDX_b}61hsl!pn6J2B|3$D z2ZW(%9?+K*`lL4F*?iSc;sbz-Pr%rN_I}FA%9)3ue%%QywM9#O9G0EY zZ(Py43&M&$rq3A$D}brwXxMVC%8-~l)a@Z?pkN*#wG_A}anlBEb~2tR(ZpTTaD@)| zs~w1l#te;qg~E#IOgH~ldV9))^*ya`<2eOkf8&9X_cPqSOJeeP1+2X zU7izQ5^z}A#I@WCXhX37E|8<64zyqQFqr_6MKm<(#bwc9&=DgKE=Z5|a>rG#g)>-M zi_fHmLOZUNuPqrJGM0KuqtR4Bfd&Mt2psF~ zp7otW!C->325k6{kuL6T$jORb7)04GbefFm?Km#LZPD@Z%uBkXUwrl2^Qbfu_~|2u zPBU6BmlZZn`fGt-B$XmDV3$zBb<7s1|lQ&7#W$G>-^vzz-%Q(4DS(uAKN z7dv*ZO}$~Qe&tLSWIw|XK?Hp`pIMY#_51Oa0)@re@!!9yx28Vr1i9NR;i_%oQV@CE zM(wu4%-_RqEJpQSABkL`n9*uzYBFCR_$fWSS7x3pu;k!3skenf#s7%3=!{|DMzf(d z8S7$MbhL}>96Wcw-DPb~zn^Fy-<}VjsyQwk<<^N{CmH0#6y@ci%rFpUz-~_6`@bPF zm1JmJ{)35eJZG>%3{-4J>&o~v5j*mh3G+O`)v-O7^AIF3F8<*0zVK_);|Ms7WJStu zSmYC0Hxd4t3lURe?;zv)CLG{3fGSS*JJnRYsGeHHVQGU%Adz-i?0e5ZxHFo3u8EAa@UsN`BHN54xn@@>EkrgY7?cSQrsgpJz-&p`Eaebl zi78n2cD$b*#{o4S%jkOH7pHlW?z_R6x^{F|szy{Qq_JR|((Q3Te`pqkW8lt}-ljrL zg`#e~Ktz&$`+A9_c1i2K9Mx}*)`wL_K+#xO)P4tG^<20b|7A*pIyvBKXBI%ck|%T^kU<}WMu_pkA|+7q{*7L z92I8ONVFZWz}{7DMl?>sJuisIj;kM;_-ulj-$8 zaj&cDOO<-ibXzRzc%Pd;fJYu~FGs}j2k(>Ea&@@HT575%a5hPkG6h|=LNs1<2@-CW z`de^#Y!z;@3kQGPIzHKV>aRu-j_ir%2zN)Q33%Z{`*PlGTO;RrbY>Z@9fK0-o)KGWkIrUZb zXv}Zp7m>L7l+a^8^HPfU&mXf;FZ&pT)qnEdQX9FR<_LlaCx@!uI2N%d?E{qRkE1Pu zw_$dxiAHG*H}4nLOXt{wPb7|RB#ITZ6o+cxCYNx^_vr~ArP_@$PM`^t88IIIiY=LT zw-o>JTD!5JKrIO?nUJ#-xC+{(gas|mRk_>+bGU*d^gHFiV~tKuhlsV`UHh$L?@kpo zujgAl)2*(Xitp;)M>7ur+@#5KOwW|88XTTz=XAzP&SuL+>h~uHuFNT3JqRH8YV1aG zLX(!Q)Cu84)Qux*X9rP@+rczBpzfal($x647B z8jf}BurlBDXfon8niqA9$FLpa0c%S>DyE32#~3V~#mmzh)<6V7_72Qr92*2@dAzl_ zGi9M_3AgD3CJpb4^IdIW5sDOW76%0X#>2)IGBZgggO}X(JF6(<;i^SWXnjX_!bE2K<8|8a4B)R=sDJb1R&hg=ms%8}-|7Nn zs!xtik}Ji}gBG5sKuTN(GTZ~S*kI?FY75u3(RQrN*}rjGWIE{s9Z(x z;hkQHJPL(R94VK@+$n+C~255SF)`qAG#Tgq8#8KYXA z94#ZEKE(8fZFf75@CBH@vr@K!WAtd zKm#t~67!X#*8+MA?N>>R%h{u__W*b|9I};B$ypV|c%=Qe%%cY_;&o{E&`tW)QnSOZ z+WE42{CbX#bV@fbu_iCSzEBGtJV0q!z((TQ>=q-YR&o{GwY};t?xKLEH}hx}J!V@Eqr1UvDt;##%cp`M&6B2=5hdT5Ew)VDC?CuhYl-v6qnOq5PoaT>Tq5 z5U@#i zDz#gkn21N?w_A`8?BwOAQ3yx0*#n5Os!()(4z%#n+UY{0Q@@2@IonkQp{3XkTLHe~ ze8R%3O?2ci@^E5D{XYuu7Zw1d5#qz;)0+QA&mm%h&=DM92qi2z=zoMUAqZh-(}u-= zW9$%lI(UCQ$>{j(FaF)%APz!51Lzs~Hxe&IlIpLU7mw!4%l|_Nh$E2y4fY8E{~ND| z?JxRQOhhI5>+S!i5r{7ufxivG;l%oHR39nw=jVc^9V!mQ?X!!SybOrFV5iFbmtbHc z;jeSlHmt2NKAmwsb)+M4qrSBoWDEHBJlKf*3tXk=-Ya}N`d{RQ|deJkb;IV)XtuYsin5%i%fQcV;1kh_T+m z02~)Wmc!6#BJn?6kcH7}DHQ)wNmY`CmBrk~>q}wL6sk&uoy5P*@5CSU>+Ic5%r<(f z9)KKRB@K$cz>RtvTD$gdj~iobM?Djk0f8>dJZg#JW?0F$y>|Vuqoc+#ZE^p1GxJDE zm8Y<%DCOaU!VulhFQZi3pnvunU0kk4hWmxBzkFsTCa%38qW(v^{!gUiU(xYf8m{6I zjt6No1g>UIn-%z|r|GgwAc_aU4L#z+$Pv}M^5tR>Y1=G(E OpN}%iA1dA(2mC+tLyi#u diff --git a/docs/user/dashboard/images/edit-link-icon.png b/docs/user/dashboard/images/edit-link-icon.png new file mode 100644 index 0000000000000000000000000000000000000000..42f698b7f9fbd398feb203b08b0f532a836c14c3 GIT binary patch literal 4605 zcmZ{n2|QF?8^AAPUxw@w1|j<{h8e~ZVzQNe8yZY@GcruFFWEwrP}Y)t&st;+SxSO}s^7V4YxT66;_ePpIrG;rP+kI;jJu1eSkksK!2)|%R zDx(#!sLhy`L`Egp9g*Xx!_I2c9OIyEj47!pLGggR3iy7V5XYC3%G7++_#0ih=9^@NO<3lJ#7+m zz_&HfpD7uJ=j(htOflGNw1|Dx`l@$7(|Nb@p?Z>X{Ad*&i*Jq=Uq9=ML$#4_t@?K5 zzOG;{3ykIZu*Ibp(q4wX52H(@>1XR-Z9G2{;|Hkw+;DBPi?p=t8z!rRT@kyu<}mm{ z6od=oKbxrbyeF0{bcT@&k;ONV5YJI7(w9V5;_h%b?5hV?<8cg%Dd~#MX+UH$uP;_< zet-WW>3c)?wL9wY58>yJYGj2&OWyS0syp`)K`)A=#o*MAqMf1SDV@483Vewd=Q|@A z-W9Mpf8&pKpYOA{Bz~K*zw1>JPzN`=&Bu_)T|1pw$Pvq}k}No*1D-9}vHX_1WP>t{ z2qQT{iCa`y^dUK3oe&e!rt9KoqNFHt>gjdFXk=ydY@&Bas+Ou6o`|0f9OhwQ{1o*F zkBymQCHK*EqFtX^xVSvmRlWZiUzd&7ehd+}`oeG>&;od<$lP-x6u1p2$JJlG85stx zzJ@(h2j(HnF`;u1IeC6ejt)(QPY&ZgIGN*2R1Z1bMl6D4UM<1lQr6{kQ+sYiw?p=M zK}yv~C5DJ_8+^qnqZBY9iR!-kxpjt{WR)~1y2i@l-6NP<=XF#=(hZKwshV=toSL^g zA&wB4R1SmM4tgK^Nv@kA=D`-W-r%pwEIsUmc2fu9`{SR-9M(7#Zf^wi2yDb~|ygO}YRBa|123II7-{(vhmsaYy9!Z2%n7Ixo&Ke*@ z^3NQyOe6~^d{LN+x^%Je5UO^?ekA()0M}PeWwq6kl{g13_$wysDDL(_lyDWTh1?t9 z?OUJH6K-9J#cOMc1lh{DDCaotHDSu7_(?f?GqW_kNNgFl{=1H!{ZqWz(fa2AgyPI30&L5h?Dy>?*5@@chL5 zX{vx}=xw4m4XDC1B&A6&U$p^Gtaw0!7;RLM`&2smK12;|w zQa=g3nltngPUmovgI2ENlnl7LBd?N09CXX+dlgeDT}k^=rBK7*SS7fWk`T@8BQ)5} zJp%@JF?;jDLD@Ge+QinbwD71U*mv;GKKbE7de1@28-hRaBSJ62pxr=2CO5t^(>vXp z0lGgRQ3Xlas z1#<-@1s7gfS5u6qu4sUT3X>kp^ZRlJNbPX!i0*LifVATrwZG+Q8Ed7Er(R06O%>`x zpBMfJx|DfEb2GQww5BNT(Z|=&CC(+-k{CTbJ(k`ufrI`=w?=|*0_fx?1)eJ{`HRCV z7*#7#q@K0jgr*9jS(Bh$I8wHFxWN(#4-$M5bv^bl(-2=2uW^oZj&V*lUnedPUDh?iVFa$d!d5V>Xdh4!5- z^fb5IJqUO5Ak)2j&_W!KoXkV=TRkkY>~j7xL((dKH<}ciu1&d5nM|$vP2dQdxDA_4 zrcLL?OH16N%MK`UH@57weyc9%^QPWFwLUzHe=7d@h;#f>CmZ?95Nwn!9?Xl{Kz93#mRmfjRQONEj(ep6gR&HzZ z?a-j-VB=tO)@tGiC%a;~tIbG*n(c~hgk+lJSkFigXyv*i61L#i)-k;hdZ9zU)JQlGyk}>16!|OW8Ycb3hu6(bH;A_ z*pn$yJ_ms*TV?{jEquE`<`~KsDj4d4fFh_7tO$m%fpEESw{U{yq{c!-7L{N`RCGD@ zldiK1v^xs>@1<{62A~Q%Ff%?gtTQ+HR|MuyAemp@KrxRYTi7wIA_?v>q{jP?{EWBr zJ@Q<%j#xC~ZzLAQ2b@%qyz05qsN_6Z+wjDvVh%KG-ZhP^L>dXzo|a`YWp-nlK20uE zhFnUQzxt|0?@kK+Ey3Odk%H9D)G3jmTj4@p>63StZd+vqVq*tVElnj26tXf@Hb2XE z%Rj5t#6;8<)IP!Rk{gGKBJ81RLD;~GB;m<3*Cf~3%h>(mf;!#0hGehFzH!E(cQ2Rs zuMDpDi}o)iubpO1xig+SK2beAuk~@IcX0^WHol>pQVuBqt#?Hlgg9qv)sTYV_&|@ zYh@Fb@U(Jlxjd87GaYfw)VkDCTc=1F?s!=pHfmk;t$N*9Te>kv zGZPy(ow)aSf8sEWQ*6SlvEp4*MuSz;?!w7dg;BS^#9b_gbN=@%O$GP^8mK|CzKj!ojo7%eG ze0lE+H=oK;oP>aNV3+=y=f~xT$-v zvim-&G%B%szI#gmrDK)Rk_kSV-x#^?T(i)ZAE;x_ozG+KTY7|_`Sz5#ni(c6X9)Ma z`^I>|BzK_QhU)Zm|8DiJ|C; z$%!Q?f{ka(Y`}w}AdS7MlI!M%cC;;5x1dM654e)gzVi~AYzY$EH0$wr`K4T?(ckXS zWUW8CnRfNW*R;v8Ci|_n&xp~AtF2#Gy;qfXrPol)`3*Y$ytKS(!Fl-gDr~Rm?nt%E z!=WopHcc7L;msBMiaYg#pQ=Cc2F3=D9R_`;onTixoH^2QTP=7$cxV02L2x-9y>?~D zzC5^YLwg&Bzqh^Hk(p9Y;Z-v2^Zp(od*g6C`Yx{?Z@=1j(3Ra&hdXw`cEPO%5O%tK z8V7a1+Fszp5DXZ;MdHwo74WOxy{2TuxOw*~5PB3b>he5v7Oc*_UwCsdH27>ipj1f< zxIG%uC5L2y)mwzsdv5ZUYq~UsVhf8IXT}`}>xCOFxHYfXU4z}UX#wjT6F+i+iC~hR z(r{_es&^>y2je!{LeCkA1Vo846+lkH1b~PV3Go6*P6FgVWdJx&!u6MILUQJ}4=Dgd zV*s+>K32r>xFr!gk^Vh`QlbD#;*5#dBXUUp@|Mp5{Uu8fZ2-blQ%{dLnmYNS(VkdW zFI@4{OdL@`?X7Ex1pqd|<4&Sya(WE_NXIc3EpQe{1E`aiha~E_jy?kAyWR#VarKDx0WMw6Y9un99PaFy_;fWRa z739Bhw9r^5UyL^n7($#KHgGan+xh{>S+DI)8yi7(CkDLJLDA zvBa9-3W~p>e;WQ3wEP2<{S*Ad@CSHY0MrDH^>X(+-oQ(q7#y64{hRuql*Qi|Tt;4A zO6E8Ar~aRe<^N&+)c=z)^u-YO5Ousf_gFotgz8S0{&?l4iAw z2u6su*;i_~#z&eryCKi1%vn@D*n|gRBm%y@%$yKVc`Lwn^Hsrk-XvcKF3K}p6;8W50 zg7rMgQ5(=I?iwouB*obaousLD=XXUq!J|q>&YF^xSikKRl;rK6!x!Awh18Ei5hlQk zxi23pl(l>Lb?=Bg0wE(2EgVdREZ{!lpPqOKb!NaCmRR2E1B5#%DI7GvO(Bm6zFDA zBDHq+pkvC}dC@sZi$>8;KhTZ7Z0a`A72}|8b<{)fb5Qfr>*ld51j$Fr6U^KFO@B_V ZkE2R%SJmECS5*hfzn6Fgj|UF{0r5)mov0!N1Qa6#1Y{@N3-FVz z=n*~$2*mdw5fOPw5fKu38%raQnIQzkyTBMVSaqd7tW+&UNjQ`MujtVv5;AhHXcSF| z9Wj)c2xvI+Zl83032e*{O#!-MYC<3E>|s7u=&50K9cp4Bz|-ulHO|Cvkb2SI^ zZ4G-qah;8DecFnJ^co|L=(ACvgE-B;Ih~1sxXj+bU@t%z^h#!(_IwvxD|B z%ztooc1I^EyiClJ+Dm(Qsxc1kgeQe~$J)6==F5n@Mhw}Oc-D|-v-!22wDdkx9Rw5X!MUl*YKIpC?D$%uTVqT zeJ0}w6X@*;g7#iT!52y<9SRM>six|WfG#rAeH^usZyvE(!1zKk6mTwy^#B00V56nOMU82ZV)i@!_JP23s9jj( zEy{%e5OW>$zKUf!^e;iHAkFb4MkFo+mo#h9_ z%#3w0s%ckP;qh^pD|7j}pHVR3F(vG7$N~#cRW(M^*S5sA?o7fS*y5zxva7ct8#fdy z&0KXl`{B9^rRqj8V*;l(xGI!I` z1rqpDqQ$C~;2Jarv2u@^p{SF-Wi{msu}pw?eU1x(t_x|V$4lQv=mh170^Kf%5dhn# zOMT9daA?aF|8ncISUOJh=P6yNe2DqB_wuh=U}1%zj9*ZG*RXo|0g|IlyWW-iyX`1~ z&KG33&k-ox?V^Y%N}cf5f*(+j)`Fo)QQy&i4ap`=2*6MvvyJR}M^%YcAm~8C){ESW zy79&a5+rd*f*fhFA-BO7l)Og_pI_9Gf%~34{VWh}XVde*&cFidvC4pEj#tQxlAq!-^4%M#uTXvd7-DD)A!w@5i+&U(81D3nNkFMdWOd+2A@e+~C|$-{9Uri3RJ6on(qCh(^ywt3+!@ zQ}i23QEo!1B$H&a1#~;ZU1UD71Y=Qap05zLz=& z2y@!pZwO6ONC+c`(Na>l^X!ONm~vsFdN7!=Ssa;07=I7x>FUv%Vx`3lXm)Y;Hukv)^gCfVMmtTOD%fY0hPh-3Xf6YR#lXx~ z;FI5@D^#segizRbye}`l-1*gKeA5eAmFXz)`-JE!z87{$L`R^_e7o`!7$X1LHA_8< zOPnWEGxRn@Hbf-EusbP44)-d)T;^W3Quap@0m}}%Vd8C~l+1Jz5ywMlNzYcL?d<0M z#J>neGcoLQtQ_A2Bp_N|v&Vq14ZM_Tf9oLIP6dvuz#E_AYVl$yge#WnX`LHb=4 z{grdZ_QSiOHKF!jFBJD)?9t=9i@`P!JEn+p%T;_jE za*uV-c`$^X{Jto(R^FB2j;I&1jk6P9$W%uF3j5Fl=+W%)e@~kSmq(WOA`jbut|vD{ zo8@w0W@Ol6xM8>{`6z4x7n{A*_`^iKfcCz&4}A>%bk9T&Y&ejy#rj@a4OXpUPj!0U zLZ&XzLV8hifxp4EeqeELp^1-{Z=9Fibz$wNO(qu&=QiKVRLE2W-Xy+d=LXkJSHkn# zj`=a39@jF*Y3QVvYcHE9crTf*P_Oroca9D3a&IiI4vtyQ(63c)_)hDNv2TtpJ-chx zjcl*1fzX_=y--N7&8yBQTPN?K^}R{G$-T{mxP@K{VG1FC9{R%a#q^7-$b#^ePcj_2 zkDq_(%WqvATL?F7_e+f7<<5F}9iUa~Rm|0Jvi;W^sIur|fqLlEvd!2aOsY_`0D!`M zzP-X#mU-qU(I*U%kif8l5NA9ddIyXB22P`e>iTciW$RFDYF*2+<+Ab=)o+;5l+aDl zmfyfol*sPJvpS47OU8YD6-C|`N|hbm8NEp59`%L7GJYXpH&!#*#WrXtT0@CmhAlaf z=i(=8H|zIm5s*)HcJ((9F^s}zY9S!EfV-_rSp?<6TQ~Ys>=JDIVE0bbt`TN8<{w6O zhPNL}2lj_g2dD>jBah!;evO;Wn4Pa&-Voi~@7o!X?O#lj7?vL3A)AWadM78xk-%^2 z(ljWfO1l@o%4X0JqT^ieRtHd!QDEKLYbSnC%_%v>-|PS^fA0TW$AbQeC^3gmn!Cup z_F;dsDh=}mwg(4n+Uw*A=4rFT%m(Cb>+OU1@Ikq><;phw?_Xh35Ja$488YenHO_4# zZO7&^Td^qVEHw3-Kdyf5S@v;L(kj-VWoW6Hbls^nyk_pJtleCXv($WS5LLFRm~5yn zK3|7l4GLZkyQ{sQe~iJUnOAKnn`=z0*KEAq!fR!lGOd}$Ds^wRSZln!*uNm(dzxc3 z@9<@wt~AFlz>mS_>3`ji&!J(V`EAEQOtmYt->d&2DU_XI`Q9klcwnmJQERUj*OF%O z(xd6)-2ovf&u&q1QNIJ4Bi6oKBaQWR!x885)IR%ycH`Xy(N1dE?#%848xb3uYv^TZ zp_pk*&ElQnmG%w)@m)7}Pb1--#+@{>7gRq~>qEq4$IzEmSS=)Lq^Sqvi}kIJ!4C3^ zcMtowOMbTaOS59ND(qe4h4wjm?FPPu~D6w6r(nyRVub z@tVr!u!1N9dA#LItb2k z1PIgok#{g8iAaLYl!86s#HAvi8oX`u3Q<;PbzM*M&YSIyErV`lZex~TYo#mN!@QpN zgzPE)!U%O_;7@5N#&oDZ_mG|7cMw8KB9fBetCE3@ zp`nGXv8CNso|irN!Aq-m8nzG+Sme(qq@?1TV{rRFK+5WN>asH22A1aZdLJ$I4e6cC zt)AO~;C12#-5({@n_1X$JMoeID!~oDe}2qBM)IqOohcugx~x2jh^37o2|GO_ zJtG-EJP8R2ugymzZbeb?-_^nY@sSzZ*;#QjFgQ9o(mS%yTiSeLVB+H9Vqj!uU}mNR zm!PwCwy@K4qO-7l{ZAu*+7UIhHLw9$*?}xANS@o()3>y@<0B(`?&v?if9N!H0{yoq z3)|nr0uPYk`3(aTJtM<^+6GtUeSXR<4{|az(+~xjgXav~2R|ztGw-kR|37d3+vC4# zs{gkpClmX>YyRua|E#HEYiJ{4X%6nvj{m>x`d#_oFMn6$Wq2O>zh>f}Y5w&TJkR{_ zybS;089#j5{qQR=8wo(7a?0Q`k*8lyFXfDnX`6cti-g4|Dm ziN{pI?*XD93R8hlpdyiW6a}G$BIt!0v11Qk>J6&tm(W8{TfoJU-Y zK5Y%B@LU}(#=AakJI`hq})eD{Wc^ZNJU1qIjn*~_|(HY1n>0`TwS zGXylE4m1h`aL^g$N0U(<6h)4gVJfBoL5a9RF@qu#E|tM3;a?<>%YK#{njG=`TvbRR6z<*m>yO z_i5y(?55*w4!Bhzbec7Jyv{aX>n;S_;>Sb@{vNFt6(knX-4(HNrv!Z>uXQzuNG`H6 zj6!x-q|NEGuid{nh63RofEoel#70GrtXwcHZWA>-l*jvvQ=h+jF$j0YF^kuuFp87G zefgVTGh{2FBqtPQD(fhWs&)}C{$`P`WLp?xMO05Esw^3F$cq=v|3fgA(96-@s)Cm4 zd{`J;7_+qMEGGJ*D0gnowxg+(D5Mfu1LZC{eT2PPW8>S<-Tx~W-n!(v6v~5ZWc{!- zj5=udE(@Y~+-5$d%5lSlZ>!A%=!ai=3*rT%J7tCcw?~wp(AA%Pd+-!&2aKBU>2;9^ zIN$L&9C{uW0ZrLh5-!06MZo%*GscpPyqBlLg}qbN+O0BK8?*XkjiajW7qU%rKNh@ugYdbOUr_%cjJ@@unh@>Cx*mL>1)z*kU+a6(e zsU%nfZSA*mk{E+k@SbCeNvJKFPA$^o;eul#?r1Rt7j%|eLl5#?Y?Y%7OS22y4p1&o zR7_+okez4_Jy&hJX2!C-+c5Qj!vXeXd{7221cC7V#!$Z`sjUDy+i5ih+aYX57^|0t zF@@VP%Qv`%%{{G9txU>5{FS5Re4V9$yJ|zCG_OQ+BtPH5LPZzr(EK|~m=FeolUli! zEq||*7=nH=7)ZGI{PYm^f2d7R-uQGfUVU_uhS@+BS0^4btEuq zEf+z;U-Dp$Y1n)0N1qC%3ZT%a%(na4HbQUc7I^%NY~bytG%lFz{0tdoR501p=UGt$Y9{(bt2rxxH1q|HrlIT09s~fgvo!rf`&e zI7w0Q%w&B9ppdejw?G7Rvr~Tzc>(Tx41!ShpS88~9iRmc4cLzZOKb($0@v!?7D6K8 zmDwHvrteLcDRn!tC=L_MQfd7tj;2vV3c}|oU0Esdnr%Fw?1G;~eJz4odJN)nSr0vL zZ*?8fsW@%-9#AVCU1&HHYo0~U>YG9qcq=|zX~;HUg1dcyi_>Hf8LGKirkV4#JiptS zSipn!nwZlnU>I00$njX8Vdea#@?)P&!t#LV4Z_BmF@TEKk#XU(e`<>9vL|)cpfs#U_9Vl?fsP(j;rc&J} zP1VhGGGD3>=&4X<5 z?6gYuaCZ-sN?<0>kxq(bHgZeqcl(g2<9fiRRU_Os)9xel&pHM9o`g*J4VfXXX&YR; z=hH)+(NL>rINzY!i8Ip>|*yvu4o_{D9Y_r>*Qd$jDrodARm8h zF;kDL-E`SB&%WfcC%gNjh9!nU?T0y$0l;&GLF1M%G>x&Z(!#vK<$^zty+lhh5wgyO z($(%rxJ0Way(38D6p65D6wHR2sitdxH@1k~A0;9c`dv1Xw%FhG0~kcL>#Zt+S6@{z z$Iz%`kB*}BUk~#b^_e73eOM*J!9?f%Jz+AsyXP9L?zj7J+KRZSsOTtwtu)WajIfl( z@zW#E@{7Xbp6xZUGZ0w1bhJN$t~$tZU=Yi=UlB16VtEcvQe@{`kFwLO1beMc)iS5K zncQS>TL}V9Cd*r-qdNS;(b}iUzl%e+N=vtBzvCivx@(+j>H<*2RBDbEi<#o{!4HgA zh`g<_oc^&6`xF?JmoGlV9h*5(sPJgeme;?Vm2mb(*XHBM`!90$pWpK@+5KK2DXnOJTOBAv`XSiNM2 zoM=#T#p5R%{85K1?P!g#HIj=Qgl#K%soJ*CPH<8U;1_6uywDDlHmUJ@57B;T78g(Kjrn=?fg-KTPWgUXK$h}Sy zS5d=fFQ(UioWCuSV+P0`g!mlkI0fUo_m4T5lP@4A#Cj%ovt;AOf+2!?L-#zhv4L(1 zYW?_-9oy_qG%K}fwR^jxFQj6qg;?_BayYGZM#U$_vU>9E5>6XAflzK#J96{v;|L5t z=gYN#ACEU{pXzp9`(s%Ar8%6Ym_5H|@|QIm(|m-ibG&khV|k+r5Z7ALdb%`ES_l%; zd0DJk5?iN|xaCM$Ua|!b=*A!?6Z*&EY%7D#RBp2xxyfqNx&qIT%#lWe`yCP{wc^5F z>)ITM7(j6fgE;bKHi6g@TIP!A8z{^-(q}MXIqN8nj`XpYz0rY?d*Unk57iT?IC`-L z+s$m(tHAHC9^kbK?`(?C)6!e17_-}MdHpJ7VX#rVpzywWg)du~Sa4kL$BAw1e!b)G{gCD*RW!QS zUJgh64>e-;9$N!iO*2+r2?I&3<@4d%9+ur9L>a|%oeIJHZr2fo)A=H>$b_ov)kI6X zQ)O}t=F#S@ge@Ot-P2shdG8*IK zI?9g}vG<>4cpKY9ty;M2(3SfxQuw^Yrc`FHcuCTn-vjn^b3nS8x)ZBcJp4v8X@6~d zsx*bCw!X6p5}AKwW4L0~J2mJ80wfg5Rel2S@IPGk)YS}GmOV`Sp)rIB9TJOi|J(9J z;esY0)xEvkk!=37^pn4A-mBJZ(I`Z?!_sGoy{t|wyEaA3eV9oYW0+q~!$z8JrSe0h-6WFD;KTWhsw`!*c zSH0Htcyvyi;m)NohAV!s&e4jRG^?Rs#6K*NZJ6ip{87n&J99D09b7j~9Fuvn-i_m; z$6$P+Fvw>05R5&nH0ZTGsd9a_?5XrF>9XCfhF%DLWf`jWmVB{9tFGX)jnU5^2U@wr zhdgzb3bLOEnD6gBx};19(F#KqAB>JFr+BCk@VYR2=9zk}4hO9le~4hc77L0^N5E$2 zFSM7d!X!)hzU#=^q@S!eWb(}##9E5dZxjqmCe)|ehGGp ze9L2hD2{;bPVP(d1|h(+i`aWbx*Qfs}RRrRtq!hd5eVQ&}92ADat^*eiFUGvqSyf~Z(8 zsdSpv7Fs@$WrY%_UN=^ycdNMGYOi4CySq9jUVc83ZM5A+T5PdZ<3*>U;h_~DTDUym zDKI){G?FAcT)R!iH?c7spOc z}PX>rz=QABD}McR5lUDiUena4_+IZ)hYaAZP-xCOihn^{dz+7+sftSI(=w z;}KeTAlFufgERoP#XrPo+H7q5y-M=Q;WSVF;kmjXxu{Af2VT5>3^E+aGD%N#$Gp|( zK47OF?jegG+QFjw5V530zZ!x)Qgx$a{;+gi!XMO-x-NlSpp`bbyJ;@poC8J$+)o2W zuq_`irh#kvGYqiEn2uxhrt9quO5Bkvl5GS$HW51R7b+9Gyn)O*HS1G6J5Dr<=?wn8 z>4&p5(h?@~UUnUIFXetO@d3PmFib|bb(ck#SBqb{ z%00tfTpOBXR6miB=9JQutB~wyqtU<*c*r=L2OI6*zeatq)P2@NKYKY0>c$m4% zcJYa=8pdO(N+el!yc_f|lFFAAjLk4sFp;;@8K~6$<|1bxF6Q9F_F^jfcLrfu-bHiR9rz4niK4!~V?SS1~uXO~K1j?IzhX!L}J}#%>lY z@pL!FB-zVG+eZw>V64F$uq#?`DuwNNbBakV-+MuXr%e$Ikw#be;fCe5`8{2l8pp>A zRpKs(5U6Ax$J8J!2C5=k=Tj~u9V(W_*2Cqzvewjeb(^GZRa%^ZdIZ0_wvPyn z2~~4vWkbvC)llwrGL|XQxgyV$r}EEbDz+UjST0qEp;5de$s0dyuwFO1&Gatvh8qy} z6Rizm^H?xW$zc$|3jZG9fl-Cx%wUUDcM$)QXK8M_!d9&=wrfFki{d*zq=AuoyLt%+ zAh-RKN({a?GEUL4biH-f3)XZ`;+oQc;TTQSKN!ecRh>D)9xZRZ*U_q#f!rA z+21g_Ofs4)(LVw)v#<>5LNv{0o8Nz%-n>3RS1vrKq_>Y3J8noT)?f)f__Q;gla)K9 znP`Y^4JJ)^t~zUTd2fhtAncTw^;-Bna1oXm1A89Y(D~Qm8-4uO;`{7t6{>!#)nYDs zs{3rS)qBYPFqS28KHQ|S2L2Ku+= zsll-Mdc9ZQ;&!xoH0+&=`GaN=kNxb6>~BK7e;ak(#%ylaEBrCOl;~^3)WrL4k(5ap zTL>&UP1a`=oBf0>L9f?0S-4>a^6_?wa9SF7q7qu00pq+Do}R*N50DRc(LV;jUi|^I`A-e zrsx_LnTXoIQ*9!iX?;;Awik0aon0ZG0U@30 zw%F~(ftYL(>({B>)KpdHOr^HLM7}teOZerjoP+ulOj>gfIgjT_JrPCT`Lpp`Kd*Jo zo0L~~Fto@dM@u!K<2kZ>!hvc)e)_utM$Emh*FaHaI2?=J{+z1A#uXJe#uV>WY22Ig zmXs2CU^t)Z90S*=gt{oFq0roNgn$IM9MC@;-HzJ&W?fnB4r)1TFGScYw}pZ8>TqUUE$oQ~p| z37;yN_nBCp7nkQF0Fw&KLoK*=d4IVXM0euA>3BF#F1<5PJ`ligDia;>M2_Y-S>Ebp zckozVVf2^`d?))JzZ{Y6wwc|;y^20}0|7bGSc(~+50NJZ+`99o zBq|06+KsQv%k1JjTpFKz2k;o|YtR^Bk@s_^qsXIV3+33kv zhiu%us!4p`t=T%MIZnVlk=5?%Q2Q2ihcuvqKPv$qrv;1YC2ytX1m%-2uk0M_`Oj66 z0R&Q6geUBsgPzPfV!frU>C35Q)!u5r*3QJIbB&zB*!jF5Y#OPv?V<5SgpD1B%lqkD zEV@LrWvyt^4*bqI?#iEpd|RdiF-=gd`?(u^QKtTu1D0KCT98R*^qSR-(E4Q4R*ghmq)(0ox8ojFK``MB6@`{x($zbW&6Fo zYqCMw@iLJctLmGJ9l9suyRUBo8CNPk9gVQM4u7a?59y)>0&drW84B$+pDo>>mqdRy zcUC|cDx=ZeOqzh_d;2}MY&xyF8^VZIXhcWaPls-`qUhUvxATyT-$7wj>z`HH81dz{ zGdM@UHoMZ7+go#0vzp)$`|AOfeEC!`sJE?T58mSVRjz>Cs}- zf5>hZ6FBD~^@PWvK`-kLJB#IbL};p`kB335O5|V1-<`KiC$BZvV*go-ehOT^c|`GS zAQUjiDq?Gy1Z&p5wEG9YI(du5X79D0@Vuh-i3D72BL=`2oo;=RLv7~U5f@B*gNWZ$^=TyG2QE68BOwgo zU|+7GWSL{a`)%ZXDQ&#KydB%*GtCRAV!Xd23fJL+f^az9-?#Pf*e$jk7@Dwfm#vwc zj!AZN;o!vV~SE zrM%!r(B9Oo`?sby6bLvpA}^X1tv05=G^(KL6s*~b9423)v@(r=anAy+@TG2J?d$6? zk!VIeVQqq>&8;fss63gfi?M-i?LyU3QDS#x#o~<}>N8T^?Zq_~qV;Y$`K1%FT-e{cW9MTx@h~+5EYBvN>m^FLQk8+N$@1^m^jLc#oBM+?6^QM>*ChzRcmk`4&JdLtPn&)n5%g=JU+USv31ln-h{>WI5& z;ll}e-dnG?ynEt*Qd6ImPGI&O9#5R_mO)eh0Bm-O1jF)gpmDVpr3#v(G%7#-&{$!n z+6{Qyau-O~r~UMRtgkdvq2H4m2lPl7&wfu1jWAL)OUM(3L%{vVkP;FnA%T&J7$Wt< zhk$OzWQ1h=hzR-LP?Z}Q1mrq8I|cyq2@Q;yGssQ;Cm4lN4-N|g94(lbVZjK$_2|cp zqW{d)m=pwnLh~fc8U^k(IHJh$uNL>gg)4eqHVBd^z7%W|rPfhK`V-zl5qxgZn3)M< z8{C=o;X=mte_B+K2DfP9oW+L1NDcvM5CjwXpI0O+!r-tc%u6yslHKPf`E0A<{xrEF z14iwKlR3`+XZQ^QT1Ngo&x==o3jPYj4!;49cF^C6w4=hFU7ThZIX0^fSf4c-1 z|KFzncS8Qe_x>-Hkj~qKjhJmAE*r$Zg;=o7`Z+MqVfd5ruTV8K1Ed)#!cs#|?_Xm4 ze_k3cekH{JKaQvmt*D_#D{A72DkjiTxBo$4Yg*DUY%=hhV zc-{o(kCX5xiNh7VAnaQQ$x+w{gsp=|FZKf0~|JAqUi} z={Wm72bI9_;Vd@OALFyO+r~f3BTXJX++7t4qp7HJP8ptqz`Xy3r2d)8AJFM| z9PCMWkx^JQoL`sJEoCdb_ETtaI|^nUp67m}JXB|NfgH`}%FZ^JY8gkHb4l2kZ;k(> zL{+Q@>lh#UCly%zVB&vs9bAk8G{48^Pt` zkn;XRPs=x+ouk&L+&UJcvCWAW&yFJkwhu1fXmquN@fP1^j_`|6y(bKVXbrcScw(wHe0etsY|Y+&D!xxnX~FAlN&S zet>l=7zfQ};$G~|%KFUvIiw%Ox-;B2rv$61XS-e>lNt_Uw2)2YIU<`Z6~E+jIS=TM zDSJ~J+Sg0~%(fz(^IRd3O=D6zfGx``2HpuwX~r`E{N`s$LRP_{>&YBbf&IQ%~2 zxsoDfEtk}rgQ)bKlZeNE<+VY;#iIo{K-%725^A1wNUfP`Z^u+IK;2$sAmT2`^UP<1 zq;D0tB--iaQWvUix*XeE!LVkgQwu z%VefXK;t6K?*x_1-Y81Bw_0JmyFq=U-@oKrEOL{T{Ei!}GAQSh&^x!`anNdtenIBaDT=?CI|L13OM}i?*UtD}dp7 zdL0sh>9u@dS%drkCu<2k1U8ZD8bI!E^cj`G z6A_m?xjQuN&F5|pyqtI-Gb33Mkqv?9~)3?dsFar7g0x~-u3Xg+XP4VS^NJW}BWCumc zY&FaO%ms9Orpj(_ED41_Xe38UnnxS5yAIM0&!SJ{$vAY>7uGg0EKABgHTsj8z zrba+L{n+~n?1yQDZcQaHrzy*KJOkzwp@yBus9B)F8EfWuztafNR}ZBGw(qCq!hS9m z@k~85hbcZu2el;%W{HQZ4B+1N8AUr2jDtotdpZ9WeF$h?^Z;eZ4zl(XnyWraRxrYy z$oGlp;wNqkVUgxkzjCoLs!RI9CbPx8sJ$!BbQWJ!W{H|>typ)J^GEimV*BRJVt4=H z>hq>e6IQL)>m9fL$WOUV#C~=0L&;3OYu%wVrm-RBO!f&j&^QtZS?L|dnzdmh85py$4a0(A3i}{?) zE{ASJ>CbU;gaY~RfJROvUiaH*JT}mKx9||2p3g?#n`bc?ba>eig40H*)v#5^CwrfG zX(u&VEvaj(tfLj$tUlxoFB-3ATFw?Vu5|^Cx5MbEPENja`fZ~B$!T3cJ1zoK9y;nk zxX7L>8v*cJf1k!L;(qt)8CWaOP=}s;Xl6GYNL2Y2JuZV|}@(| zUHts+s8#7KR&U#I@V3t!iID%Rx|w88`*vpq&=BQ+iaav(J+&@x^(NB|ID9A^(tNvH z6wPjq7k*>-f}bXeT+0GCo1K)dKx=x~WG2O*p`+R50B^CyJ_(KTJ+10{9hV()$Jr^T z7E?blrT%EDw_rTMq?vGJB2Q{|xh$}lN-0~uE`OFP`0rg7Wgl8U+UvxD*-6X?dFSeI zLe8;`NVTPzJn;T6du9dk8GrwS63bi6=f+gR6h}$(lKqc~PL^w{0QfN^ZAeqrgdyLT z-JHNyR=twZLh|^_DuICf^c-{0D7Rt)r+2dRxgAG*&2vhD$EFsQ#pB3+BZ9cY>Y3yDE!{b1zFLKo4gvF z_mCbQMhuwVJO&#yU!UxB)n5-7unsdNzJNptpa6uY@n%ql6Hk1BMHWNW@z@cQieyx)Fm8SsMU#vwD_fj)BTxy^J^hJ?>Przx$`6B_ZpDQ)o0#4S}Wzuor zyae0O>s_ztPl#R1;n9zkLLvVlM3f9%E`Ir`p1e3z!<=xw+7OnI_Z(mQn?p(}pDR{i zhwv0rLK^}@vtWTzPWlI~Duq7e;LeTGOiPj#HGmDKUrAJsOzLEreHQa?v4z6|c%U=J zmFZv)ex>wW^nK3b09`hd+wGjH#IcG(b9mc@_=NycFi zE%CK(TJ0U~zPJfVr3>GLSESIs+vcC~dj*MZ#u9e&&w#I!1hWxvid(K-`vFz_#qH2r z&HBovV7K5y0?CWtJvWo0>;Q6=>L5AGkA^~^K|1_10{ZXLNC^4-2xY)UKZ9zSRDX5t z-AnRZ)P1`pa?ElP*9%%4`H0vnt35(cP!0khJ_1Gho5JH*2``M@UOB#^xlAc=I|GtbN%T zVqHuD;2Xq5L_3&YRJTQf%M);!d(VR4;@gtdLZtrhAV7bmI_5r|5tBN?ADnqBL!(-f zb%#vU-KKNfDviRp#NvLsK}E=ArcLDGl1345Acl*Fy7UO8VFc1+Iy}hZ5YLortf*9V- z1uGlDV(RFR(4Q9{B}F+>1t{^jP0$uwpV}A}gODI?kCyoGSd0LCu9qS3Sc7t#{V^46 zvEbO(SXXe|&nY!@#k}_iW-%v@6oK}_#2)Ixl3#s>LR;tICvWM2Ey7B9 z!x$Y!I^W<8M^f3w{ox_ecLK)1fQJ{Ibbl7_vE(_E zbK^i7O0_Y++Jjc^HXQ|r5rkg z-Jg^Da_Jaqa&qa|$s-YNw`&fQDQe}(`78p^Zp|@8c9A7jHB#IR?WI%Lp8s9;k z%|;!TI~^xDMLl)+AW_MWW4ti?x@^Rp&uu18GUcm_okdBk-bmtw7HD(#RbzcV+#C7Y zD@4LcZS#KZCtITtnIXI>g|ie+=h&9i^H97n3uI`S8N^O#$d0GiKSwiYp52LPZhPuP zCId8Zz7%645Vf_&bARTg$y{|zewpp|<@xNVwA&I34OHlmH{O)bPQY~>L}!qvvv_u` zAO;&aDtNR#{64fLKO?CXv`m}*#Xo#^t=juGO)cx**|t#Oeqb_ZTG!?JI1&$Ag{TSO zcNcZ@%`x98^4@N1Uu>?~JZ@$QL*?Oo5(!!cCnKIjcjLozGB_H!luU&I><=4e=#XT+ zUnVBW7P^;i;EnAYR~)#{-An+#jBvuS@U^$|ec3z(X0P#0D?-h#5b~P#E<(^}mA63#62<#DH!p7GDprIzYdMgo|xUw9gB~lXw}= zPKP(@ny{q0j8k+*TA)agr=vZe?>u|9cqK5NTf$>+ZN1)^VPhyQUrU=1eZcXulPk&d z@zJ0DL!+=j>AbL7nfCPNHbmUZS0GXAXv!u53_Vuc;X38|l{@9Pov#72>Z<`I>XU z){vBf&88UyLXCg;W3IGRD|r7Cxx0Ll3V(dmN?Pm!G6F5AH93jDUCtF@$Z=7gkF58c zZv(GDPu|PM9a{(IU?ib2+S}`;h`w6ev9o`T>GZ^G)ppF)2C`H#CsU4Wk{>u@RnoHc zAr=7`w(>+Z7|)bM#OERkjx(mW`yz~cL-`vYExGrfk$k&99bmQi5KkHe#!$uzls@^u zREmf07F~dO=f5=q%=Y7Rw%Hz*6br_3=<7aeJ6v=HjijdS^v4vPZ}g#q6FAunhZ3KG zn2hsH@;GLKlf5zt}hFBg{*qXmM0my+ zS_$NRBA4PJwB8jd<#}s%N99>8&P`^D#WO)A#L-pPSS+Rvr?rw~*~uODWJ?;z`pzVC zAzdFQZkpn(J&(Vxk+}nQf4PCtCcRX zEFx-EDk~_ll5cWhgR_nWG(IiNYl0x$W(;ck1zfoRQ0QEUzT*W2>US#u{D1`Ou+>c> zhaJ%e1}ALuJ@g-%g*(LMRG0a5GIo{?nvsq64F`2(vMI?LN zf?(~Bh#n({is+s{H~~Y5R7L2kXJh$e*xA}#tEZZf9mGqHhYOffmAX!6Lx}zT%Lw3) zMQ~8J-?v%uyuxQkcV2jixUg{H%ZwMMUlVy@mA;o)XG z&F<%D8ClrgyEyv60Ex%@Bc;v$w7#`!^LdBevDf>^5X{V`KWL-L#B9dYKo`Mx*Fzji z(U?8cAK5FYp=mx+BmHtV1yKT|R?%Y2Vb;#)Zc@*t>$589uGG|qak%PuNP4HZu z@Ta@!ctn#G+KgFF;YS4ecYCCR8a}dn4m#iHU_btxER8>AptZcvzj`-&%Vuz?zj{>- zP|E7hI~S?|kd@tkr%0HMwm#kH3mBO*UIg~XmRq>{6)Kp;go=gOErf$}^2k~&w?fZB z0lq1hFnsQpfKVb1Z6in22o%Orz*cW$)?~Bu^<@{6fuGV+^C}G@_)Dj3dTp2dt2(=* zCCNH+DH>fI-e4b{Z;e!18K(tjBz%X^Au^6v3(d|n7l(X;Z>s7OnGKs8yMpGA<{eS2 zi5$qKJ>I48)G5&=pKK<8zp7LA8K5PP3FzwD=mQo3eAcT0ejRKk$~i_uctz$Pnl5?l z_kL(GMY+XBiOpdHeYBR>Ie9+mIwj3+r*SB&=_In7zl)((!I&p&2I_pXS=T@K=$(qf0b;a0KZPAY{N+?xn!stQD=2msp4)e8s{qBXu zNQ=RL&v?JCN?0A}KT>n-Ku&Ma44Z2>AaB3J1S!{d9lT!cqVU|$6zv-MqN$NNP4v?cCFagA(oLuHWf3i2?wvIs<9eV zhPejYx&Zdl6=RseyQ6JYdIZ8!^zIKoH~J>}ca>}vT0Zt6gW9~7+8I1&z|AUF+waNs z$2Pvwx2JxS?MqwAe?;Xd5W@h}@Nt&b8Hin_Q9@y)rg&D7&+%RiX`fr711&lg#7F(djM}gs&re^F!JK8UzV>^4v*INRZUu-y3@?Xz^${hv|uO^wQUQ3@e9i` zZGFm!jU&p!WC72|$3f`9y5*A0lKHFNOnNy_xcCwNhj@N^6`7JGUyUA%FFymfJ|I&% zSd=X!WZ@u3SPV7NRiE~RGQZ`2Gn)=^wKJJ;X2Rz2?)v|v|1ul<+j}1S0U4;g!(b*6tjViW>PFDh- zYht1tjqVGi{i0$Q47G{sRCvt7pabLX)8w8oudyGS!y~Pf#BRqG@3tzACwC2n6;CcCF%~N3w?zX z*dLR+6#?nN^BQKJG_GZttJdUneod9gXc&eUOXLw*{mHf358)%xjZCRJs6UbGb&hgv zSdOBotcxK&u9n6GH~+wE?Q{g3b@)tzx)Z7qmFJJe-r4PpD}CHPkh$2K{y*4y3!td~ zu629PJ1f--zy1NBI3F%roq$NZeb_uDKMj93t-mmv_ z|Kj;S@666PBQyJ{lh?V(7kdZm&!M@T$z=c$0H^*w2&A z^bET_{wlXgv{bvy?k>gH*k`1Cv_5wUTjA47^ss$*BXz3MwcPq)xz<5Q>qEee@QUxX z93pJNE_DO_@eeL|OwXc*CrhU9mN<#M7p(?*?7r~Ir9XI;XFJaM#WyfOUA+Sr6p4U56>f0+3=Od*u!mP z_F^OnUK&o6@6&?$lXR3V>$vKrtSRP{E*i<*_7w`jd0 zhwu&Q<|_6T#H3zVY7@X=8imgv`=o?zjS(|=fbk*&iuG#l)!D9K9y|5+WP_`(v3m;l zq{O!cFRe@HkWFXw&yF{9B8vu+d5I$}>3@`W09~f?61fX<21>t9OYfdPp^A0%lY3lL1B8)jEV#|;op}3JA`F^CbgG$PKPLI|EWKje zpx5>z^7e~pvOZ=n9ZmX|-C#T4knEiFa7FH<^bO!YdnZqmJ-$iS~( zoAmo&9&*q|n{Mq>y|H|L*yYzw#h1pxSLXbo=q_Y1r7TxHzYXfH{9cd7YA_{vhKK$k zm7_*M6s6x)AeaV>{|7L|QR(>J*P1QWW?rpP5B!5*;$GVh!+q$*+S%oZ1%zUZx{o+5 zV(o=SdTi(Ez)bQmmG=O#la3mfO=?h~PVI6o&7m9O=v$H5{*zt`d%b_P8OIKOC{ zzI7*JF@6;9xYrgG;a0b2`C|nLe>RFVY|e131v;*)8j9(E!`v|R+0C!RW9T2<@BVo5 zIViwcZcC-ZVWv{AaoRGD`$wI8+ zi)2dKO{fjzzQ#jbQ?{d^;S}rxfcJ`A1fX6HDptGA#i*&Ak<9-wVs1_(S!0}|qtuGT4 zuaw2Hg*nio>#tEfI1lWn3^SyCQ`U_yPT+TOiId-(Tm+Hr`yVKBn2Fv7$-f`~VD3N} zuAhqBp3hH1$fm8dbM&&rj#(@A@aBka(hBCZ)#p+_*FHYW=Z9kfL|rPZ?a`BPvX9NK z50ksj52^k45-zo_1&)v$(z}VRTHSrZ6{f!tUo5{RG--Bp=6M~GA6H(scr9|D z7Qd&p`CS-5E9OYSZ``6;nev!6g;xpAxHbJ*}mRMq+NhesFTK0uqo z%iS2F>!5e-_)1$-!^Q49_wx96$l31JRfh6rE6V*qaoMg9$ZPK_3 zV`V50qp?B1OBSs&c88pHrPUV#)cn}MvzN~hM?EEA2RmKKtD@~0-#8bc1royP(nit?zS$ zhVU>))|`{E*|JY>Gu)G}^=6csoaR-F#73l~mYeUYJhN%1uDyQ~B_ykl`<{FZ{d1rv zdyGm)z%NTcAZWFJd$wj2Nb)A%07Uk-;Wnqmz&vAPIUo#>0uxad|m!rgfJsu^nvMI1Y9eZ06#mTlkgAw7o#+i0fK*gJvrLAMm|Rz+u}*Q$x1 z1T*o$z)b^j3lbxr*Vlba(_d1WXB-Y|Z7I2J$9`+w1A>ghUxGZTT2Rf0#+9ai1MzIl z_n>b*lZ&#<_m!F+dHZRX<^`uap_4xmkZwj?n4Ue7@Wqr?!?)<%wsa$@l#>vhyKV7n zSQgU;fp6(pFmDR=)X;*rAm!S(#K`>hKe$FK)C_f``$?-rTTgM2A8%!Uh0FH*fGJFH zHwjSPgbqreQbA7SNkQ>pY&h*T?YU~^uCmd>>Ldckznd`4cSL{EW@s-mO=!w&>O;1a z^;)fS3>8Ew&XK|3Wm9c&odv~}8(sZqgw~ePa@`#Uq{zqm#kaC_R-3>(w8nkF z5V^aD-`(y$7?JO5pE+QpRR!eD+LNtJJZf(P|0jvm`8(Aee{rekbSG$R{@mKf`F8|3 z7Fkul$?UIe(5|fV9@kgCcB6S^yDPJ4p}{y6_xj5$gy)$+)9!E%_U@aYv8N=ZC65Csbu#)XhxyzCY#VUd;pu{pUr99|=_ z4h)Q0xfK<|`lkXD_*CZN+RJ05I#IzOudt8=J+1G_kuTM}l;!p6 z_zaVURA}qGxpirm23_wPRWqRJ{N1^WMysS*XiiNAnIcPp>zvM7&D0AC_@)+zE6!S{+UDi&Go-wSI zSkcX;CoDPwIIpXR-@|<<5NT1y{DXTguF4 z0#_euZ{b;veAZ#3^C5!!SFw_1VJzbUtU5C+1;g~{?WZ}y>xWqEDH{v3MuC!Ih3zgR zB1Oe(l>0h1Xru?o;Wd)p?$k|lTMgVb=QGx%Tq>=1TBI`g?b%EhNt3_gXWaTW`fOY2 z9Uf8lK#HEUMPt$J2QS=hH9|9=#%@aIJ_5X92eav~t_2mwg0JUMyaLswJ_A0;N-_4b z0lm*&!*D&U(&-!VkX3juR*xCvs=GR!i7_JiEVC32t@ zLVWn)Lb2UE<5s#C6Dgy;bU>6xJBaT+vm4s3C0&*~ica*ad6V9&dOl(&V0jgW9!&`i z7#$0M>Hp!P^ZJP}$^n(DJVKESoWL8LroVy~`C^4)x`e-}c4_olDK z+j`0~;FJZt<`TDT8M60z&ce3Rc-jj{fP*E{#d<^AYWP65BTfCWVeOwmKvdf{A`yR< z5PB_g6NDq*5yK5Z3x&`U^?mbPNem8ys$hWNUJ2+g_|z3jHr^9Sy|K{h-Bf0U6C%kS z($)EX1W}-xW8CP-5^BCtQ|V&$SYOEfzM6Q4Uo)#bnmXCW?@Xgxro*PAldkp80a9W5 zvG@Lzvbt!?0%US2;>nEPscsOJB&Gs?W35i(Q~bJe@NKalkFO>8i)fIx?tJ5xMN3t-Xcx*exOLBm+4D z$7+xZdVd3GKA@CI4F4D)bCT5z2NmX5n8Bsxn7ODkQI!Um!CpAPRgqe zU>#9uA{_MQwS~%bM~O+{EqCIfOog;vy_fC>rue;4_m=a5ftq5isY1Rwz^UYn2+Wrt zCnN{)2}nt#D@aG5TeX~&68EKJSEOE~@Tm((e0Wt#u*A%&R_|!^1%S2e+?04VKbb85 ztemsvTv^rN)vxtScRZ;bxQSySf6I9k=tAJsugo9i<^;Cg(=kdDT26TMeW|(3F|RzmuhV^^_errO-T$dny^I z_Zjh$4bVVA311(5eHWl!hd-IIA;tr}572(yK$qaI)x#I7G(Gh>IuT%6bhWvx5eL72 zZ;DEz?Prd%cr5I9=?TF7r28Bxd_1eL-j86um#=MBqWWvCqHTLCOGjv~{edZX*Vp2> z)zAMLfw!G~v*E7X6fmRZZd?|4CF23QG>niijHrfUh~|!~ianK4&-*4kd@zLT)_POO zVt_=h{cS?l=kj#ef-=b^V5 zeB$51qzvxl0cBBA6k~|e#rrzF%;@5i1d=rB>%$DG{Rvk|Mpp_#jvpm`AF3}LABG@C zpMgZfZ{RB_W1wFA>}vWTXOKKfBsL?Q7+ecn!bKq2W`AD{1FuDIR5-DMH$Ug=^^X8v zEbaTWhXgMy;_h%@AMtH_GTGD$ql=leE1CsC2SpuI2%(PIUDzQ6Wavwj|HMF<12~ID zyPh#Mk>v~K-IF22Z1qFj+F5sl>FNmT(vDo8Zyc%pp-g`3A?De5mgCA|$u9(3MPA|e zM$j<3;D-~F4I4#GISxAeU5PIUzW#`W=lb3=X9~n15ZG7$D-bV7S|M zv6}^^F^a}vBqYb`8uBQK)WeY@$b>Vi6T;crjrM^Aju)Tw4y|9d8$Ws&n;X^lZQ=T- z#kuX~$lMH*TCp$wWp%||TbV=KY_E?)>4`744iiDmZ_HO?{XL<{ZR>e6l;2*I#8?Ut z9}yfdO?jxj$JSq8Vy(G5N_2+R{7x2 z=6boEFtfoTHjX;IMF3$O(sQ-Edbjx55BqiuXbks%a`_mto@+<)FSqJ&+;F}p^NJIaL$q*@}mJat0oSSLsmCrzpc)hVqOj%E?gCkRx zNFOgpP?Xs_=7-FR#2nWkfTi-}BCRk{i7laih*qieNxkwPDFz@sYR1SCu+Cud+%fa)BmiI5g;u|KxpV&JlRg%;z<$4@iXGK zc<5~2_GU>V!w@lzPD=;VP9>A)&p-s-AbXtbjlzk?4KlehZyJCbdzKaOSmt>Ar=!u1 zdRsa%%`M@T>GbN~v2s@pZ4rp?Dn}YEZvF4>hQ_I(lpbZyL*kf*25DNh2AP@2cE z*73q1-h6PA(mK*^(6GalxtSs#_W>6U1was03g8v2J4gMhOO){g@jxcV%Swz~>*uH7 zv{yx23OeR$3VQgY_)!T~j0!)$-efxJi6o{br1H_MY-o&LBTn*hLs468nNZ*aJ^oFt z;IMh!HRvo!OZlJeLqXzj2mC!#$}npB*PZ{lJ9WI$^~yDf|DOf)E;ohZJ+^fq9!of$IBtAcF7Q_Kx_WPDg&anf&?lW%f*&C92=>q8OsAD42nr|Ia7T z2E-#J5_`heF4%igW!3$oiI_SwpVZCB_p#sauQ&ThhY|WJKLc+v5;8J%F>PqJ=q`bt zlHbEr^=k$c4Fh{Xb-BRGPX{x7}=rJ4juOU zp{iq~*^!$KBCt$bCe+0V>g#7VJPPt_Yk(~GfH|Dq>iHcR4FkjTyP$t<5QlmZva!>O%YL!43HgS8;y6DKAFf{zpq??* zMOYNztYf04QOac$KRW?GlL>yB!J-vs<9N{o1@r$Nt&XvkBN@Pa z45)gl=T4-HgKL)egdk5&?iNOObeZ_x#QZ1d@VtAy3eF0JS@vJo8-Vv*Nv0xYmH^zUbotm^uXUjC3Jt79qgr4{Q28c5@r{LUV8s(vtBnjWvRP_UgU zO>a3GdjXbqzfVB_z*^}wak{i*$asH8BMnYaBP#*E()~8kUiN>Ee2Y*9!fg9Ng#9uf zquaby2$Jt1ap5)mN%q)v#w?U0`+2De;G|YDTNSE4vJs{$eX*%Pn|Dtysr@#xuH+UC zq{HbR)FDj?;32$jK3(v}cYS`Pf((L?bTF%q1F4{d%h z&wB5*VkNuBI|6Zo5auKeqf8PmpGqq`i4VSU<@8&n8fiQ9KgBAwXu z%wQ{upb+!8`Lr3+0C&vhg$Uf4Qv6#cbKm1>+Sq)s=GIA@X@h?Fa|{!Kn3I>pY1!^b zMS=E9mxrw_Yp*_d$(I8pix$7~u2BUh2EvLvZ1QJfC!2>r>pX#2&!X>X_R-d~YUZU+ zD1&<(6~F%3GQ9IWkpx_kHx_o)AmTVTL!AN)-SYlHYF-Ke0DcT}RTN2D@4`H<&VONF z|MBl#WH70cA63rGrp&s`YMKo;xAy~uU$TIDcYfWBID3pki4$V|j}G)_1n>%v^?C${ z?^INE`Mg=f&%-B@*6vu3P}1gwXm^;F0%7TFaY#xP$n|vIBNWj?yMlL1I}kDF^5Xh! z=q*}SRq1m}l_CX3uWtWt64%;gw!ZtS9M3yUVWU-jj9aIE=WD5J2`>b`QQr4*wIZPj z1AA}~)P%ksjWv!o(t12QHL2jr>oY->qS5hQ{o}vXT$nQ;(=v0e2_DI__58VRbFXZ< z)v-oZ9yWdj7uHN&a2JG*6l^1OTy>MyLpy^AR%-31RnQ|jg08>5^NTs$$G=6;bwxe5 zK9VMsKR44u^Ccmm>K(on;a#KfucG>2pWtW=)qijMml}V?GgM!iN>oz758EoKnxpsQ z(fm<>jo-StEI%l!-qBF%&^iI?jY+m@;9y)()|E$B(kFF|2K`3r=nX zQOXDZ%f$4@1rU>vZcI&n5Y)k0#@M!0(nEJ%xh9o)K5qR&oCXl22LThv4RA0|#LBM^ z1_ci`ODZt2Sv_SPf4VGYp85BHb^3u`1;OLZ$;3>jwpkMnUHh`ScaxyfyS7ccOzdmev1gdp1GAX+ozshnBffWMM_5!i!=Y9Pn(CZNW4VXX0TR-O# z2^3Yen(@6TaK=9=Ql9^UU2hydQP|%1I$H`2q6xlRd9ycyir1W66+f)JqsViVUfQ_? z;tXFe2?xn5LjL%t|5|y9J8EVhm*$%QTLxw_lMZ`jfs`CTPNTVX+;GN=)Y*U?d4GbV z5N4_TGaXle62AbVz)N=zO4$2;Z3FmPeYPKF<6yyikI1~q+idP9wb7gS766|wm#Agr zFnxQv%U_u7p0W6=xbVY)s@3=ncjMn*jTyoy#Fm zC9p*grC-Tkmt2mzXkDcR*4**k1Mnf_Ya%()& zoya>Qy|rzX_Veg+&&LK@`hj1S1+@i$vV4Z?H}P^B)~DA4v5%zQ9_Bpl__=P@GJ;nO z+~`*}m3Hh&rW0<(*PxpuD*P`JBES$}jMNDb&kB^2PS=e+=f#)p`s4Ekk2c0}4FDp= zOyx%z8`Eo2AP%d!+^f^wf2aGI3PK|rOg5k%&I?huwE5Q!-y-};FrjP)o$f0uIeWcR z#P*@L)~fbn4#M`FpjxN6Q?i2S-JBxnE|K$N?K(yp)OQy2Hvku;x zdOZrd%@I`5WfDHT1|6mXGb49WD;HP4l#~xRd+j#nD_lif3kl&D1TCc~RJlipYePEaxjVHALPVf@HtJz+{S8}^TL zlklZd3Sy%km#!=5bS>lE3VA2~_$91;`7$@aIiT|SKYIf!cC_B_nK47KyGBq#v_Cai z%s`{>ATS^UZNaCtdx45Ba9ynpV5rg02#j56@t1kUi$M&lN{d3F{dBpV0GBDjEgELP=~UF(j`yAh+I;mW=9PTh$4b%z#E-Fi zQJ{i;!FTijauav)^4>pBdgOR}opPFNxr_67(oesF4`=23$ak=ngYb0pS<&gq@x7WqA6mVQOKBo@&UmfODzMyot>ia;hgf90iUfACx;@|T6RwR7XFoLro(#ICI-s=5!SPt;IA$hp)@AUuX5WSQdl zN;F{PKcQUiGZ4?cIf%OZ^vKjG*B7R39;Mn?j2%oYv>gjfeRu7?qhJ%3=W;=)#{xnF zUL@YgV}3HH>&HjgwU42U5m_UDJoqFXahk9axevLY9#{9oB=s=M)8AEjcvfI$MCqY= zCZ>p?5ecMbe}X8Ap?}_jnGM9lJooy~+GQm-h-$jDO9Q^DcZaEK0S=D*1my&~b}<3k zWv+vxcI)gJ1dHaJ`xvlxa4^KF^*E(nk4fgcyP=uSY%E2>IkNdHTIEjNnqW|1CcZN)oT6py@I*3ZgpKLn?&WOOgOvby_9Vtz4 z44?#q>Iw|taKb%c$aq`pqA?x*P!#QhcVKR*<+=f$k~6;Fe(AVmQa@mLEEL8A1Yiic z&`fB4iC{mVu(!66F~SMNH2fF6pJ9Oe2cBCAC!akn@y4If|IbH;0FU`@-b+J+Hfcwb zGPddJ-byGx$`C(FTC(8yOEoA+tRHqVV{x@+y5PA;vXH!7P&cLj;}#5HOVeUF(ZzIJA#i$yxa)w}GNhL?V&z>QFoA%-w=o@f1TD{bgXEig`y1Tq;+ ze={mS$?eLfZ^ID40?A@-hwzsLRPj=I{sM-jw7i29ztp0Dq@Bsr!Px=d_JaAgu|L*L z0-$MY7-=NcfFZhCRjdTQ#9+vJ32X20D4LU)CY5mOU#=ey2YlO%Wf|FdX*MpMVF0{G zroC*YpXLqSQS-siz%LbqegklZFxwu^7C7VH)6v?m1azw{EiM3Bc<}wqaTFM=!-#y=Kzo%3oEC48{^#j1X-=Mc2 zga4Cf38{zN7>$jgJRzh-YL?Epq$#i1sQf>#7LRAhvJ^5ny^F~&_nkBJHJe5No{Oyl zXtH!2NcBINeI+3_|9fw`BIjraC5GVDR{jGiEpn9weD#ZuXHy{Hy(vkKHv~Li;p9vU z4>64r&2;6wJL=rE&%=K?oNEA>7-dnxVPcUK0OY4$EFc1lW^8F%m1}-Lm546qKR%z8 zu;EE3X>!HDSqD{Kub*ILtsAudgm}>$l3ARS-x!-gd^i=})quw_N}nM{zKPKgf?+7V%*?CFFM>nR46o?B@dyAF$Du?&a5Mox7o zeiLB$G=d07EfbZYced-#FAqm#^0!@&P#<8oy{irtD7Ih9MJsxapr1iw;8ZmT5hiFHNn z+5n51I*35$<~|S#ODsN6;P~r>i*Dk`A=}#2K zRL9mA8XMPGs~5`_C*Sc$zrvh?!}*)x+IX{G>K(fG`2J<6h(YDA!?rSdr+d{$?@The z*AJhJy06+P#E{`faSXdigYH7k39J5~MEte0K(3ocs!VUbI5d6heVmQ|FP{XoK*?li z7ParZ8kB@Olry-2d6ACrrYHH{rg1B>IQg3Cp?3%=A>=ataO%BesnxNlY zW8S=vy9~V9_wDC{@3-~aF3=>!2K6dxWV}9@4a<$OI)xu^MuUHSbM9kgm>{`7l+!LV zW#pf3O8emLr|qV}@4@fQnf}=aAxGQ^)fY8?)JTfk%SyfG6s?X9)xjoV3;Zas&|S#$ zWG@;Vz~S+b3p7#WgYu^cX*wiMTS%-XTJx_9aG1fA^CTM0qyMwe3Jm!jOzK8V!|_du3FnW~0%p!{!QjbHJD8!D6FOV& zN+@g8pM(BU^65xcM zG5M_DIXFS>;a#1^VCuIQY{lBIdQwdWh;UWoza_#*kaYo70?kL}66+nf6Wv*V8Sz{y zipnP}!)shSudsOolH~}tX<;M~=ODGZWg2qJOCa1iZ^jhAGR2BYyHeZ;v>wj*2E>P0 zt-JFVppWl_-$zDJ8OX!HqTFo7OanGG_sbnoJihpxDh|3hH9b@eYx5q9HPdMte$LA^ z)eB8qXNaOST|HXQo=dg~5S&vRdMdsidO$z&=og>FM)yh(jmP2xLxHx{gIvG)I-PGPDEJmk-hG}_ zY(Rm@ce@^5`4w}}>8g6ukMF;cAb?~uf_P|%8<*LAjdDJ@f$vKS9*wu@%io59h4i)W z9L`w8ers@E5do3~LP8*YRRA*bok+@NQ2w$U{;f?ODF;2=NlBasOB;RIR>+M?&wcY* z&vAasg_d(^GG3leydfZOVxKnjZmmwl!Cnlkr5e#ssEb!GstY?Wzi5L4aZr*1lko}J zSxH4(3d*rv1NixrJzwNEmYYmz`2wz>swaOXa%vVtMcmx0pu{86!z!pjFMaJUF-Nr94icD-8Lir3vIFwutKNL`K ze}2@7T@9#aS8}WWg`faxJ2p~$?=sSIwdmqc9l!G{`_n@LP5T_om%!oNV{D4x&9M`UF0)EG)tN5O9b@Yb#zO)M}=MZ zd67PDXT_>@cOZTA4`c)y*FmlFFs6r&Ew?1Gr5(_<&b8xJ*r-FX1&29$v z5w!K~p2_#yxC`pzW%krg8>OkWj*~nSq4Iy3*uV@`W+jTsYwCMkeNn1Cv9 zueGI>kpA7Hu+=0Sq?J}PBHe7r*KPX67mxWKfLZEa-)9e_f5(^ZmcsbzpZb?Q! zbxg3d93Z~$QP;m*#9fJq7Rpx`C~w~09vO99hOMmzx}4~}TA#!ET%LulO*|fSP{bcv z3T0rOHpGr(>FRr(H2zvEtr;1dHOYtf8`Rm|Kb>!LDY;aVmbyaiJ<)Y(GS^qw&j9|{wyw4h`kI#~=L!aL zqPe*`+vYuo%lyqLW4N{{fX|dvAToSTv8Qi$gtxz=@M2SfIkL1*fRt}A)2WqzukF;Y zQc&J^zX8d`)H>2PaF_6}T)Bt?&oEG}->R=C%&x}WU~1oNJQf+(3@Y?VNKJ1BjzO<7u9^je(-_l`NN(*9+08A=#`=;b|iUWn&WsZK?!<+O^? zJLPL~7QwdPrKQya0|R3t`>`JAA-x5?Y2`ZR2~=(&tK&vkc!R8l>C!>+u;QAIc6@Kv%_or^xa*tlBEIa@gS26^@lEC2=_|R zBcWJnOi{}@I`dwF7b$1u4g!TK5fJy9j-cYVF9-FY$%UTrJQJyh@+;KYK0K&gjs1l^ zNKxuAO=jcSnQU#I6JOOYeg@PVvRoH}UG`e@gKV?i&>JqB_qooG*<$FK1>25ta(4o- zr^zu4V$}2>qi}JL`mLp6PB8X^m+x->%RbtG^yZ*)Jz>?nYA8l+?MyTx2N@@u#B8gF z(yYt{nn)64eir4XOS*kg$`DZmp8G+%uvG+5Cl2L(K-`#tCdXCI5ZV9mOkZxw#NT&s zBd_do7*lER@m*np&r;PUN`T1oaf z4}a(#KFKHhQ{$__`)(>2@flzc3&*3kJHYSG!#xh~T(`Ywdb6>eq4#%$2}JPK4e*GF zJ61ZM5RXdft;gH6YdZutajV{aGMB$74y(fcEObwT1FkB>Wscs+qzonPco*Z&2n(~2i^g=7 zUvZZ(G#2=*6}j*1q0=3gnXZ4Zxop}7%?mx*;xVNXFyy}0ebv?RY8yA-s*j=mbn9Y! zx(}sv9b>}igDG~w+_xr zR-(wZH|<^P9WHW9EdZ_X3p(vWP8N6>W@4CCm#Nntn04ZLZ59{0(9F!}B|Eb%<|~kG zOz~glax?TTRF({*&yka210w(s)R=My*9y#pw1y){tqi8c?ZzcOmRC&{w3)f1&7p4BsMrI?r54%0R_6gzl}A)}Nwp zbG8EW-_z(J-b996aocC2H-p?6WPRZb02araPkMi#zSM12b*p|Tqx=YfZTk~drD+ZA zn-Ut+A^9112otFsOqA7oEEzER@ z4N+0y`e|D>NNZbmOk-_K>hjB>!*|BPf}6318k)2_n-y(#HOH00{|`LK{9YzSY}}Er zo>AC``ChGZaPU;TJ^gT}0V`VHX4h3WbEU7{3>LI;-GUaR#M_TK z1NHbWG@>Nu|L;;3l$xvN-p<@LWD2__rpHtt)l~Pf0?bpiCGTf2C5<$3J!`O<5t;QX zSKe}NJkepQFF&c3&^G&>_Z{MAYraI#;<2}IwfQ2$&$(?^xy3*gNsXOr)AvBB_0`R| zM_IrTQHaV(>KV90bfNnyl%+sD-oFL2__-9M5!aZTo5VJQ&${|w)Gjk$x5(SU-eGeg5#Sr zZfyO;%4pS-m&=)MhvF$QD<^JSzg^+_(}or-)2a0(%E9BS?l1+UjlOh3n2>{iNR%E)K)&Vq)@S9 zvTa1g7WMRp3KQK@5ol?r)ImR6vD~fhL4ZuNRnhi|wu0P5htMX9yBV${^bwkA@4u@3 ztjGwiuV6BxR*$Hx-U@1)Qr()e9<+&laTntJX69d2h!B}6u?gr0{!A9x$jwN@!Seh% z16ZBCEW_O#Mh8&1D)obpla!tYZ#Q|rRI7=)o6$%Hs5DJD&ODk)^Pr#Nc*q(z%-1g z2x=)w?afbOM;V2*WWGm~QzHP~38Rnm&YgXAsvO$xY}<^ijYSpgoNpr;lQlY?#((@5 z?m-XITYQG{L~P$ODF4!y(e*W@E~u{f=WA4HY%kGaaLzF)uR&%^zEEAcbVkV|zL8&v z6_5C=lSo<70E|wIm$h|szZwWvE-sAc5aye^!)^_F@GpCb&_ z$KUM6fXYtA*g9gD2mbH%r-%*R)3&fHKk<>cgfkgTwM|j|Vp@B(1Lee1(WUd5bDk)` z!WqG`z6W(BCM;gM4%?wbltMhlm3tf}&%GZQJG2z-ml_RbG+QiVI*}7p$!syeEg(gv z_wzQ(jj;IuUxHh>_8)*KK$dyCVA@&HXfiE>i}Z$neXM~3UtMD(d|YTLu~*f%u6-Du z$sZb>*=ya$El0Z-mJTs{cL`J>{my`D(sQ6)_0pp?$-Ko!sLOG;Y&ZqZXJ2o1T!mnd z4f&X}bu+VfRBFI_hnwwV?2eB0@O2`H6UO%T@7yUaK((Xw&Il;7cS1^8=~P|t$Zf^O z$aT68IcjZz1Z1_Y(OF&LUF??56vcJT55Il&!+P^M!M3v})*~Nw9*V({np1kOvfnw@ z9>%6D=KsvRBzGp~q?$XM>f=XAT9>;GAKR&s)c`)%%nwPGs?pIsYDV`D#6|-Oo(s#| z{U{e*>{X=kel&vAjVKZ~)4txVetSw3fws|M8m=22u6yKAUS44^-Dc;pWhW?CZqX>V z{F!F3w{~T=`Z%1og!|c;j_ zObJmN$;~}6S2!k#1amT%=A?-B$;la2kZCHvXU52VvmL1tkTds5slzG)Q5Qm!5YP6A0;!5_|=z$UBTWB(f)| zk?TR6uwzU8mG3u;UD-OGbz$V4)favC>i`j4*2AIvRkEMA+&z2Wba}nOo68vWPvyf?L3oXgHjo1c2pI>xbCf7hNGBMm*|1R%-PC$T3 zLe)=;;P74#S32H}8OJDgH{vw*q;=W9av&KHW1zWX=OK;~>%C6%^(>LtgQ^__{aTKt zw6pXsO;IzVvMS%9=SXhI{6b-vH~i7AwREY!zCT@81YuoY&mfo553wAw-cg~>-f6D} zzo`$kQH^RH?4RXee|eTbebw9vv9HeWn2Fo66ZxC3Y-)f7&?K2CuJ0pok`ff)PjUp2 zhv%U^MKMq?D6N^l&nWV^X3fVp&!>#R%784=7IhfTa6Bo+XPgxc;*7bC`lrm-!J@XA zxo(bstAI{SLCi0yqD~m_7bwV5Ib5>_RX;DL#$QOAOL%8a1F$MUE5|*xNMnwoL-s_K%f{jN@zd{y(^KYI=`)$uLj9fAR@J^_8XW-GSdPaC$SbZLmG;i3A$Bx*X1zF|0BaVT^21 zm(m5hF@c;5CwH>ckjENhC?$9MS`{@g&2c%1Q z2P$Pt^PYLjJWvf3b*#-3(XIMWG4wJwvWfE_Wbj$;OG5V6bOB2jM~8Yw@PnKjc>P+D zr(I~A;-(YULC->N&DJO1{QWFRwEe|~va9YTI|5MT=y=X@j2$DG(*5{x`I@*t>gHB} z=a}6R(+kVp%ismpUQj#l?ggsOk#jf`s>Co(R(TZqy^tMb-RpF?`pRhypQ!V*@?h`F z5d#%-*1s|&=D-Y@j)kArzK_hRx*T>JY<&{WkY~T^eH~^oAL%EltfsGkOsC>U%f!B$ z@!Q0*^q30)2Y|?k(dGTb^%d6_XT?=<}44}Lv^JpN# z1UO$ z&z+&$@sa9W4xOD7SM>RD(@)XY?beplAky*BXJ^wMTU*+QVITe_Xvo?wsM3D3uQ!$s zwIG9%wjChd@zcI=A1pQe8}lNdJB+ z(eQu;snq3+JadKF9r}c`BACxO#@# zYe;5qjJ*a>#n0?z!lrn#9!5G19CadDN+9a{hThg7d9hvBW4U&1^gqj_%OqrOnU}-< zbJzjkuo)%oXuH^f#4|l6gP4f)5k@esx3RULZdQeNvV#+{(s=s=&1u1-9l4n+1U)rZ zw8={o232g~rPQEF@Ym6SGX2s|!&Tq(yUTZG;_P4U31W zQ21|I3@V}vu3XXlNlb-ToTPLUsiKm#2hDZ{x>=Qfc<GUr#7y)qzGt@v$qw)Mz#!1IgVjg&lzy*}8bOr}h!qGlIJG}ZRAZ!lkn zE;ntJL%)$qud%;ZmjO+_3s`uTYFB-}tN^Ik3YvC`Yp6hI89BklH!>|~(i|;ev74vq z?dh=i1^5vo%V5oM!shgPoP#<86aK#AKjDyVY0=!tSAZJ%Xg&b~I4`#8AP%pHaXDxCR(SW5utF5ZvAqG41 z??Q-}M}z-bC%5-b|GG9$!i$76b!qjJqOS+%p>+V&f7!tMBi7*-7&29`#!3w_sG!+-T0SyqwKh4I0xX|_u&b}HzayjdlV8XJbRoAoOTul8m> zh)RP^Yy_#qe=W>OS&V1=TWr%QxR0YLro+YPhJr)wkcH3kNS}(L`Ac1A`RH%My z1t!6rdL*>+W3IDHlnO_9?D%Ix!|3=oOS0I(p5wNspdbvjg}WrY9L5B@ROYzau8>1F(pSdDOIV5;&hCLl-oY%Ln&P`vJLibDZ=&*cYci;gVFilN=$?6S8h$ zq3-TYdOo0tAH{oPu0gxw>3OHL`Bt^U!Wdy%k>@VG!#vQ!aQuzSv=d`vvT7JuB_hn7 z`s5jVy7v9vXbOm!;kD|lS0O`!Qi=S9p?}vf&@}=ZFj`T^jY&G$L8jD^gn^6!~6qloffs5JQg+d>+RBAM*+rYd_7kyTOyagzP;Od1p)DtcOcQQMmezPyM~kVsCioh&Ce8=0v#WJdj7>K-pqiKr^#(r?n(0s%;Y{t zarw^BA(`a)b6R&37y{5U;Pt9{l?GI3`l? zN$cp3dRBJ0`*;bUgnnufcrq2s6eT32mcg%Fhj6I7*zb(vH^fFfn=&wr5^gkBEi34F zm*LBhpYECfz@RwZ^{FxK#R2L$!SdnMXA0jX*3CSCCQ>(P2v2FrgimjHyzMx0Jb0vY zZX-|Y5R&S=R3Ys1*X6VUWN0&b!?0=IAFa{ULC2#XpX8PGlsEK@!{V@6GTiTZ&G~{- z&IR?GYBJ2zt>lP75#Y|f$=wtA_-s%F4M(J(1Lj5K?rcrQnyu&-1&^sF`)Hm_7R!#m z8djD3`ohY9uhE0oCtp9)#eOVp?zd~&OCGcY3Y3H=MWH>Sdlx`LSA4Fux~%2mjl^mB zPQy4qHm+|2a;&C~&iwLZGDeMQuuGA;OvlLE5I4iY=ZABD_xgYl-1sbe>@i&F1W=#t z3QC^uQ|o!GqSQ)5cbj(MoyH7pgb%crDwQvBQ|U8&&h?~C1?Qa28$M2R;hb<)18v3? zEFj`wj3WPw&R`PD-1z(bv-FFy-kc_X;C-Wmr1*oa9y?odt^t81TFmVCm% z?U2U1G;FWim^Z_Peh;{(Y;zSUkXr&FPPn*xyn1#=NKE0H9M=T*nx>IHMBLfiF_-{#PQV4GD z#lPdlHKVwbA1&c})s3pFsJ;lN}7)!{f-Db3rW4ni?Ot;I`B{~S` zh3We$`vu7Y%WoGPI&6D0BZRj^_lDs)z>HSiK>mZA4rUqjOI;;JOwukqXAWP+FA)8+vA`Dk0%BKwR( z@2&wf02ql4)8&l8@w_>_*~plhYc_}jdN_)TS(4&$xXV^p?Dwy;3GUDa>`+;|%uO{rthuD?pn&bz3cXyV1=@&oDUFC< zXBpTpuD1NH(S8v`B(FfTZG$V$vr@W^lTS4pS~r$&=fBHHW6SUo(X)?kd(Bb8yj|R! zU|q9%cdTMLZ*O0EfszL>B?ZDz=QM{0y&2~i|MHQygIog8?`dwa=O?X(ukPPPygpp{+ zX~8~jt~@jubvPQfI9uHfXzVMgTX^)_J>je4j3h5@C_%f^jIqG|2?`_+R-PVC=pas8 zQ@A-75CNSO$I+hwz5DBHpU-FBK9?tg4d@oU3%;xOw_G*?F8AJE92Nm8(>8RsKi27j zGDZ^1SLzDTJM~3KRS2%UV*N59bYK1`XSuU1T0-rBC{nB3&w=HOieKEWN7CM|jny*J zqhjIcq^8AI7+5YLajRDu{gJ8q5K)19*9hv030$Ag%#etN>kNnO2ByzbY$hEInuX7H znJi2pzLvMMb@3@5ne6uw(~^0fC#^H)dyNLYQy8ILV4T|}P%a&xg-4!|Oc_6JMn4vP zMwI_9&1=a)*mgRbr%Tjyd+{^fNX6Xid3b^uh`2{+J2iYo^4g=DjuaA9^L})mluO6R zB~a{qI<{pOuGSgQ8)GjsKcQooyd2&e?YjGOq0ZE}r(EA;bbYZ;`d zyX3FdcHC_br&9qTLt?>I-G>BC!kpS|Vi$enjwjD7<(Z9LRv)cu<9qITXI|@gH7|BE zy*nM06!@g#b>#pc%%YSH;XW8c;e(ZSpUW=)-j@g_GLqTyS;vh<`E{T~*$v9K+I)?j z>TucFoZ?GE<=X7fdqpEIK9Y25&(Gk9RFH+{u>05$YMfBwcR zudMSTzZv%htt>C46vSd&KXxuja@!E{V1xAS((fNHGF z&O*=G*$J-~OV3iQ05%`7#%kXTrVID;DKJSClxEMjZPDkXT$U_OLq%9R7*ao?Z&}}4 zC(SHnZPf_e%!YMD_655(y@0{FZ90H^e|4R$jBi`7g4WjaL@vnQcZVo2m}U%jLodd` z49j4j%eYtww6oa_Go6F|!X}Y}6kql0(XJbU2=thCN~S~U(x#5|@p(m_3=Z*HIZ{IW z(yed<39^1!c8y4JoXxb%uV19z2lO*YBOb3Xohm5L_zvN@%$vZy#%pF*!s)y()-!LSW83qgHo;^MU;*A!ggd2v z9_O3uD_;f&t{Q!YC!jdKX?48iYE5d{FDhfvP{N?ubr8BfjQ=GiX3yzj}Fl{Rt8x{POagmgT03&@A^HooBt_-r@2UYC ziGKmjo_a*Ws_rYZ)ua9?BhH&Nt*TfWlwCwZx>&K#DNZ3^k0PF3*aXxT&aOC1A<*+_ zc|hBxk%T76O^dbIcUHKK4jZ>Z;LW>LnZ_e=9vrps&A6b`KE@YA6y$Vu4*dn684)TVe9==>5u}HwCvxB#!L&ry1q>k%v`}VJI&HsJ z{ilokeop8&H(ZPn&F^_^>)}%uADYzQZT9!}o+Cx2??E_BJH^Kaxy6^u5-$K!^;p9o z{HjJ@?Xy`YVln#`;V^x`WhWg8c9}L^wfks0-u{!(&%hdBMv&9+?Yr4q zy(p*_XIDSFHZ>C^kEu<0gSk$EduZbsKnS*1VycDT(#!hktDeLbdY?}E3w~n#RVa&D z>MaF2hHO7x6ZWctrB2%cNQ%llEwy(JXK8EgX1&$Tcd(L6@2VyNi}qvdDRF^ zuZtC_1#v-s?ZZ#CwW5zLKMUPC|IrCKw7K=rT_u7Atl`_cE7*Vcp&&WOF)et-2XNq} zA#Ksq@2{B~MDqx#cPJY_>dp{7=v?~cOPwYHEr~KEBSkGy#O~A-)`y3^Q(*wVzwj0Y z7tTxQE~FfP2gA)RxKDefx7$IbbX)O{OzbtE(e{TY2O`>jmq)a|_<@fMwqCszH%d5| z*R^d{6*vP$M24fQBT~zc4Y?LzZZ$he93Vnro8oC2j0`BkcBO8rHnrq*l~18Xi?Vn_ zQK+`88ZiK7-u)i4n$@Pd^Q=+&v55hrR;De^tK?1Hc8w6~$2lr3XTTUw-Lw($IcqID z8@ETlsduX4AObeK2|K&Z&~ErVo$vgOd%x12P{!}4LyVfq4pTZo#P`cR9%5{Gv~@f3 ztRfa$$U!Z@;O-i|cojFF+%obM<6fE- zY|jR0{st#HSb@W5x&+}0hE2$AWMHUgosxlZT?qv+Ng^6{!ioZWkLGzRsJ?Zw7lBy4 z7MpsJNlKIz*ygRGJKpWI)IeF!e@m9Wh~^|m#~|#WGAfD1NCJ@qj7x6!nH;5j#Q7K4 z^(r?UZ1iR@np|{-wRMyPvjvScA zlOMQWRCZVR;RBa&CcBtmcck--RsQa!M%D4|aiiI7${XB*K<1z__E{Dv0+lBGF`<>< z3cxbNP_eYcIq}>7#N7gblFDSAkIi0^N%Ft3g&k%7DROc8-F*()qIOhSYN!HSg zMyLHw1=#M^1oseN)DH{2CqQZ~z=ESlkqbhpr^+OlOv9c8g~Z65ucU;)AM}d584uA? zV+uxU;G4!xT;786(=dBND&=LFj?LHZsYEn0K!%SD5lk5_PkVp4wY5`FNV0qi7ox+k zO3qWu(UZ8*Jn;~t6zy!;b)K0T?^hv1)VsUYWSRw<<&s4b!{Jfl-0lo)Uz*%3W6+bQ zX|C{bJ16wmY0oD~&9=77+)$OE7IHkB-|1EF=0K`w`b3^OGxf)yA%dHD9vE*pI-k;o z-rw-DfD;RN=F*>N582(ue34qc&DK5a+fwwnJ25xp+mzb-ogD1E@yv=V)l&TS0YcDg z%MdEXf?HV2b}MLQ(s1yOLc`i%Cn$pQ{@FRJjhp$TJ60@(qS7J9@5hLhu1cMV8XOx= z3EElyfexK+P)g#{vL_^0pCNcd<^gfwLQd^U+=ux;5Inc-_|Rq~jsYRV0EB_IfyBix z^Q7fn>CK6%9TJpnggHd=nfvWU4V8%4$rAn5dJAB)DbxSZb!(}&r)DcXq6j8SA>sz- zdZ(xf_j3A@>a~^BvT%OA-kpCDJ7bLpJ9sGr8+vx=^%B<-bms^&@HpbUL~3uR;mcZR)zagxX;SNrV&4!ar~33R}$;XwdB1rN?wP8(JU znS==LtD7#{H;6~E*XgubJzMq2S% zRtc#oKiK0p38w;i_iG;#u>lR1%mF%S;5ll4@Ld>f=5dgFokh(oE+WFi$;D}K`gx~P zzwUw4&nt?q=hn>lJq&^ddV4}fF#e+uCJ0FvJaH7>lHyxT*)^5oL*2F%HD`Ng$DyL1 z7D9sQTBqX{j5<+Ke-h*;yjoqg5-A8r1;NKvqBvMj_eBE{;`k;xfOPKKd(}mFdFbfU z!w>xM!XYin349U~(YQi*kN|{l->P2mx>Lo=a`*S;jYqEz9ZLMLEG_1g2va>~~ZR&Y4t01u8%#I@f1rW`a$nn+moQp6{>r&lY`=vNxUPQ;-LA-u9J(P15ojA?F-Gzi(P`z~e#AS|^v= z+=zS(G`rRoZojum_YN4={_iCw^n)sjoc107x$bc(DV<4L>NIjVfpZL6UBepjvznGdmQ0s_HjBHIxfmsCb(-F+;@q*Bhibx8PEd1ZY>jwMES7Rbo4>+XiXM%jmW zA^p#Ql=+o3f$PM}<)z$saj(gbjYc~o+hQw^%t~;mwFM{5#mRs81Nq`w=7} zW`c*@)YiXBYKvixU~XexEA&fAa4a2)E!wqf_>x}*|B}x;_~$o$`N=mPk zz2h=r#2YBb!i4YRBZ!d&CKq^k916R$wUJ`|Tp!+tw2nwzXIxXiX>zr>Kytp`kn1k6 z7HvTT&Bfq=+bFo&YGD?pgHa$!&% z6+BN+kc%+9ZT>6y3t^(P>_Iwo^RDds2D`e*+zh87#{%;gJu)~E>9h&Q%#}Q*F*SY! zG)#o#Kn#=gx{`{Kd0xU+ygwIMw~c{%XsK}v6U6XZeahkWy{iC;HgH{Ny7F37C{v;X z#nUn2cO-XUD%sPYC^LY)a%FV6%KDN*>G7Z&;#su?_6VJy6p0ZtTrNi}*1M)bEUt;?X3Bm|^X*V<8Pm*wVaUOyyz04aFe+TvP z209Ee-L#2jW)}WfU=9Fwr19iuI@mSJd()zU^btP{HA}1!dnukZzl#(m{~-_DlFy72L^&+a)`q3ZKJIzVZnE=CC)cq8 z8+U5Sc3OpP715;}Ex)FZ3Y}rpa@c4_NchXHO1zo!K?pC>RZ#zX0a%EW%YQoDfQG&wF}Z zKXjjo_cj?t9SBHn=b;O>yGJ{E=>*&6o~jBCJc@q^iRSVS;LJA;PZ-YiY4#Kr(EeMG zN*^JmEqG{JF+R=iMB5!ZTz_Z@ET9GP*6ySKk%wrdNbw5p>ly25B`PEfUkKP$ zpu6OLo|);5_X`-Mtv26u)_#43H^MXO7ax})&H&iltnNf9!-w=6UNxZ~S(94zXc+@W zbbv8HjFmd}X*{X&{PSCxs+WJufRo5yI*q5F{bIl>8uMCOAY)TzwVvn3<~$*1xjv1?}U+qBNhw0-n#MMVEkc=DImHI%@@ zSwF!Y#vG;PpzI0E~Q0*zxwVmd>h0!6ME}zBRvhO>!RXR#qQY}lHEzH(9&h$JJX!xO_S+cr;9+;2 zBqsKkxkUv6hvpww`Ad3k|3VhhB^HCUwfk-lYrb*4eh~M?UqT|7cTz9A1PzCs+OVoQ z4FTpyMoHzA$5rcB-?gZLU;Y(*G7@MCnyN0W>90&_>^9011cWu-GW52Z{Yw!j<~m*9 z@Rr@AobV{Ojxeyh3ssWxI{a;<8Eel!j$zWr;yzvBUDe+_&AZqK33yo$*67kp~PTO7O^&GFRYDcCZ34%w8s?O`W5 zrEYsqja>;|EB+(pVpgU0Pi6#t7;vFLaovS;Y!3S@GUXscF;|b$-=BFenk9+)n$jEC zBM=gS@l8Y0YNPV{(R%{_fAazz`ig?r%Ty1&Xn~}z3GeeI!7doq1s*( zrB?^&>U~=b8|xzHR_nld`uI2*kY2~#rOf_Q0snI)1yhZ%)q1P8p#*+|tF_QdO$rSE z%emEyzh^vvQc2I?U+A@*zJG_kn~TG?dp=HQAV{YpQ;#Rh@7pKtC|Ll;`+tI|Z}=82 zPmK!Ccx`u?ql4_#9D#W^K=}V&29N>t*c5!vHU^7(pkH$B)rkN1WvSmU?<CL})CHff_VN!7@U-~1}4~tpmYHk0j z-GE6)H5^}c=w}vpQy27&T8A8W;Qs&#-@Npb$-C>bdC$mEE}Tj+4V$HtJNoOt7a~*S zPG-orD8!r9kp@1X-k6M?ci0O4{tw6#2>U_6|7SmVrg`>CGr?Ys=YKvQ;QH~C32wzV z1+nYbZ=|xB{1-`$-rw(roT6WrHdSHR`wC-hoQT|ZzJIS>w3IM5#naX3pSrSI6r4}2 z{|7`RgN}qQzTFwvIu+XQl89WKyl;W0N_910@XXfoqN=N|9*8|*j;c1 zfE&Uc{PX0LGJaWk?n5=w#h=u&`~XDvA7-RzsUYC3g}yM-?|w~voAAF)H-9PCo=NYh z#!;X+USMfZ3!?s=o&cdf3y57Ecroq@8i1X593hPT#|8V%D|-QAH)w;M%-!BI*k1!Jx=Di~AfNvG%$bwqY~TDUih#^kv>9gV z+zxuSxuF#9aw3+ zwK7xJdL+qahk|I2)oll}#>9ts)>t3|lACO$!nUne2wD*MA6 zuNLP(moHlPlMEaX`qFdZvMA`e%Qk4Y`z|ebm&4;M@Uc(gu7EWw-d?S31;flApv;$< zxa55X00+l1F9NLQtmeh#og+A5UeSbgv$+wbw`Pq_aYO6dKmu>mf)q4%q!M4kIs zf!k~r5sBL)bH_a^R%6#d$6BFDkBQ01)tQgz_*K4oXxRV|K#N)Sh@DyWcx~1zfBdHZ z&LjNm2HYzgQI=B@;q6}~ zD_5ZzgJi8kCpPlVGg9A0t+zA93;kkY@KfhPvFknbVdrrJ&|uRT4z#h`{8TyZR&syd$C|^n`n;dtG<+J^L;c#H z`JSFc+(6o%^@eTiJ!H8#e3D)QchWY z(J3af%}rEz6+95rK+(Z7G%Wp$<*J_Ks+J^RDI%~o?&cGZ0V5;Tp4Ssftb1DoCBgnA zL0;Hv-vnD?p6b$UF8nwPc6qi-T$?Y?SG~czo zCwMaMqyH|amj*33t(n1dF}2%gvmPZ*H!iXxr@3QNl{rpHe9w;QOb~l|7;<8I@^C5|J;Z!zc^KXpUmPDEm4$Su|)0F6JKAe$(!|Lj>vl zRuC|fNYtp%TLayt3A@9yw@6?jxRqKumZRqVFzk=$B3g=z8F-#U-`ob;ErglU)RyJ_ zpv=fQs=w|YS*=vF!`-`X{syVGoop*Z91XELUIrpTHg*d><@~nMVDsjckyeW)aynvL zc!kWtsU$k#Zsedg`;Rkjl{AB2;;5i_Vx?O*1U(^dtU9vIF&;%i$*$7{&GRljw3RU7 zE9<=gImbTAk(Cf?j{0glO*;_Q+BQUczQsGXo{RwWz{nZhWfSZviz|;;T zNAwu{PYncvY{(r*v-;YJ+dd44E|x3t5ijNf zWACA;F>tRh$c4f=BkI1LcunjM+(D}Z_e`brJM?=X9pP3fz2+QSifg+NTA3@AA%V4G5)L$zDp@9KbVBif>%=#y(QwDhAQIi5DAu>RM z^Y7U1uORQI5jJ2MkdjkDS15zBP7bftU9G4_KEtfOB;0t9qkeCMS zp0Jd1`D$yJw3`Yhq->QseI=_BVJV;Kz&W;via1VN=dU4>Hm!YSOq)=d{PDp zz}#T8;?J7#|N6wD_!cZC&Li@(*^%M5d91qCzm)x4kV?-X^D>CxGwaBA9KIPFut$e* zdcG0K7W$rVd0Py-uA&_|jSivCBHmv68&D3DCnu;;v0uCS(jBkfmR)R1@#00Fxn7(u z_3BlkaUggnTWlufcyCu`44bLI-xG}1xts3p1bLiq!M}c{0#Ob98QuYnSE9f9Jzg0t zt;Wua=KbOmdy9N7qk3m!Ieo6=@zldsCkwRR(bfLt#Nu>%N?+zpk@Jbos=Ixq`H@pB z4nd)SW;WUFaz8y$x~`>o&vEoN9P=I)+c@uh5F%)?10eNCXA86agzf8GR>yqi&Y-Bo zy55b{CL^LJ*S z`LGznrR4rm%;^3-=+3gSE`!Gm*f_#gMCb18^+ji0Odu@f*wY1yRzhCbH9iouFtgvf z8&T?)guyV*tbM}c|CE7nGZOR-Y%1+Cxh6)9PHQgU5SQX0`+!xHJ8-bWhv3-AP zbyTNypki(SE?WFZiju-@t| zqBhpD`8lvDi?Q`RDbqjZ+Yh(>ft~-p#_hmL!+0rirH-)gB@myD)|nQ7g?;272s{5$;+i&;A&$0g#O=5N4v68aQg1*FyS3*W(R;_>S_#O5hs znCg)J{sjT`V;0619`$Y}*tAtn+iu^=0D$BtK}Fu83E|CyiAS%$TQDg$vi;qFE2gEtmL% zaPWH*p~RpHuvTAcf663f2&AZ4?=G!xBZGWRs~^exW)v0b^G6QkuNmPPM5-Srg3&1` zVwOQQn%-buv#&6cCh!mL%t0Kzi{s(Nf!WvtpD19Lj$f{3jR9I$Zy{4l>W zPf)2KB5F76;(z1Rzt)~;DRqF^`s&pv)`^I8^Yl6K>jobvNh8Iyqj2R_~=&;S4c literal 0 HcmV?d00001 diff --git a/docs/user/dashboard/images/edit-visualization-icon.png b/docs/user/dashboard/images/edit-visualization-icon.png new file mode 100644 index 0000000000000000000000000000000000000000..fab4eef47cce5e15c19e496162a002be36a634f7 GIT binary patch literal 3602 zcmZWrXH-+$5+2&C`uY&058exn@dN;q_>3%eWZJM$*vgMPu~C`G@+i>+NC9B2 z$Je3?mgM9&1%)G*>Yqe->l(7YNiexUxR6kNm|IAQiFN)?y~;O_dogR!E0lA z0ba}bE86Ot`NS2vGLad`c`d|cbJ+o~W)mslhuJyW`hs{=nN4(flf$94Uc~M8T1C1!?f6~Q!Ie3l>7V6*Zk+# z&PG*2%XFe7EQ!zMD3(MzsI*U6%S{r;AU36=ZfIbf%K&0xE|H+ssiZ z_=)sfYU)kJ)FZ+WExo8a)5=q=H`Bf}WM5Cs#`s4>U3sf?j1&+;Rg5lJ3%%6-BaJiV zrVygo+s*W?FUt0A#4fWs46-^Vi6c#{;roZgA$JCb;CnG+DhwK#ok4q;a29B1#Xl5HxSJ&XW!jS_MtZ?h6(@+8o)}?aGJ#)urCu&2|4#P1-4oZDD5E zGc^+52}zFUx*l=Nl{&e}M?F9eI-m~D)v&!{{!^j}(FY++$73$)f^R`9gk>UmbszP@ zdeL)GU-8f3M|D_wPpu!=0hL}pXdXS_7EBW83d^a5i5-AN9-26#cBCh^;dwcM?S>#O z2KHQavWcL*cd$^0DP7Q1pgdYh_cRh$p<@e@IVz=BqkFi-6nVJffGzkgiywG^BB~#( zhw2kN!-I|R*CCg_=o9l54dMynrh;4|aYn92<3@bN?S12l9)F0o38N@(ZY7GG*>dJg zw^?nX(a)Wq(O-ew#!z+khH~QGH@~$Rq0(vthvbL84;d}8Vfg&{&xOC3v?a8u89PIg z65srJcw%EJX{u*B=(_$B3Q4;8#2E8RJmnep7w{LUE%=`L4OobPSPGFHUoK-elK!IVb-_OyeSYSZkP5Jt4o*x!CzG zU8oV>xZrbaRV^?$kT3Awjn+N4ZL`%#K|#aVDWgfGinWZi-6?%rxs3CkR%sQ6G!#wY z^OK0?hzz|by~lcu&mE#e4AV34&RCHNy?CpVRB^m&5s9`6EJ?U{)|%&Hx3y+*kf9%j$uIl`b5F!`wv$2{wvhvW z(DZ1lG~Oz|yA~DR7350pfz7+F))McKG(w+A|4{k$^C;W2lKHaE_w@3>OKWTv;caE* zy{70a^t9tO$1z9u8hu9>$FvdOCBhQVNaBd4ZyX#{Kq_#7FTtm&xzv4XmG6R|#AktZ z;h^{+@;ZE7Ywq2*W8YNg8|Emz8S`>M3N3~ELt&T+OtKf!jnK~T-Jxi%LdOqbS-}oq zDbWn@2c?)q>>t~0yNP5WccBq^LAh%Cp(}byZn+-0v^-F@Ozut&P7!-L_>oC~Rac4l zO}J37@&gsK(^Y549t!wnRO_?m?!Cn56t?yf`c#tCaQ{1>8qca3Z&{RV;Q&+B?x3J| z=z_)I(x59AgEdg$Q7L^)eO&i=7qcsDYs8P@p3W6->lwh+d=P1}+)&vN**LlQ!$K$f>&+>^=-kJ;ETJ?8&cabJDJ;BYs#yKwjXW3*w@-W_g#X0j*Wxaky#faOSm$T z1_?qs_TGOsG*LXUI`K(zRH@h9(_ufZ_6|+lF5RcKS^&PbIC21-@#YB(-l%ZKbfbM-_0E z#`nZa#iMShhKT&|OAY9MR>s#E-Z{`|Bb_3hSh+G`_wE%vWEw{5%vXWOges?&yjh9eex#7gtK)n7Cg zHX5(?2IeD>82eJy26yj!oxnmCnUbNr~Kp7ZfrB} zS-UyAbg{OhJsNw>N+tEv9MdM)jB6LH2Hs!O^$WEy>7H>M9T|Z?qGG=hTAqZg&-Isn zXs1&isbrrKyJm}#gYzccq&(e{+Q=fGykYsU$Ri)4RvvK8^-y_bt;n?=^iezlGmlTi zEvYXNsV&{NYUb_UxmLZsS|F`mMerY0pK9DA+I%9uwRGmcB;1ruxLzAS&PAX8wZTatmqn`^Lbz>T{|q2k1+UM?zLY#`|0Mcj>#w_^gjMhh%RPR{N;!+3nGm z9!2RI7s!rZnZxM(M2 zRe#brgL1Y=xCpLg9CEaW|9s+3H=KJ zXV^d8Fev0Nh_AOM)ZPLK(Z~CELR1tK6%?UbTo4FE!^gu5Zf#)n51nz+gkJUaCBR{@ zfPesn0A&Td&lT8db#--^q7qC=NuGg_CkEnt-AM8{;<3Mz{5Ow*ClTd?CitT9ILObu zZti$LUri|VXQ5x;-}m$+q5rLfBmUDCqe0lu2<)_iBJ5Xg236yy7mh@eJTVRiXe?tq zj2c=>XEpwU|6kzWg1-^%e)*ZnL;gMZ4^ad5v+v*L z@b{4a@-n8Z#iarJwJ|NOqv}>dj3s_V80gxX@GQ~Hcq0_~4@|f>Q#emwUqaBY-dOwy zkxNYAZlSoVS3vWdz z2$|ahin^jw`z`jRe<&?$3TIt(zo8J8DY{aDv_;uDfm!+0*f!dz5D+N4<}tRoMUl7U zF7t9CLJ}{>`Y}2>!oJIe(A09>m~if`?+!KDJ0`S!S%EIa?<_>rJr1hm2#k{^zodzC zeOi=#V_IO@XgOjjv5KKr+gUK{a7OV-ow~n0RV2~zT5t52kcUy}`DykK<(p23)S#dJ O0tmzN2KV$XNBjr>4rq-4 literal 0 HcmV?d00001 diff --git a/docs/user/dashboard/images/move-control.png b/docs/user/dashboard/images/move-control.png new file mode 100644 index 0000000000000000000000000000000000000000..b75eb6fb7622eefe3c6d1c31915b9644cb033b05 GIT binary patch literal 4436 zcmZWs2T)U8uucpRI-y7rfzXxSOCW(55D+503ItG^bOIWPNC#=52#SCZiXuHUrCDhL zQly9oh!mp~1(72C1^@r~JMW#D@9du4{dVu}xpQZ3g2_caCi+wK004l=Kwrm=Z~N*TjYgbESF>CaAkQo%PU zh$_PM(E&arj2&9Ol~a6Sx!~Za(IcsYUJ#(K)UhZOE5|Y?0DO@fs}OMm;<@43q%5G`PY5j*X|J%Gp7xqJucn-~})x3vGAL=m%F z2ZCGueYrAGIKhs`Lo@?DCX3kN=fgewxo*3phuUfC$z!#Q9Dzg~!M>Ak4z)&pJU4W# z4)kE=wehrFAF{E0Bj;xv_%Oagj%n`6@W$&iw}JuM0SO*29Aj;5dxxkR;a4Rs)|>`D zNq~Z)gj5Myue%eeB4;7I$UMRRlw|IPv%P6l72ZyVLxBbeEq<4gUHdX+N8yZ`{>Je2TtsRIeZ&S@EtrsIFrl8TO`3P7*=qBGC~^ozbCxOIeU$vCt9A z@}Y#&?T1jj_d>6YrPLirU*~Wdpb=qpN05cU*D#Y?%ALrkkuEx`$2?cDWBa3U$==yG zCJK1uEM-$;(~IUFW|b7vW$YAU1JjgU?(T8%JeQZ#z3I9GtX-;YdMc$FI>gTc`4aaC zhrKm_k~#o&nPGjFY_UAwS-1Zc*I0nleGHYd`^It;pabBirSc}mDDxSCC$xv(jSPWS zN8vBE0Si#}TaoinMI|9mq8@!s01>j!oX&kFuA7>1BM}K)&`NQ#%)63pj^RUgITc(G z1#8BtvBX5%<7!TuWH95?X!Ettud}35k?5Tnn@Q!nM{uo1{ z7pQzDw^2hoQvha)H#NdK+{VG5`MWwtHy8eu`8kbQ)>)duXn*&d5`Dz0z62s@3Cuzk zKUm)X^v-02iRDEY5oXb4+a&1U;V`RdKgBYzLSy@pI8$Cp((^cyj;gWp7$VFWAKgx{4Wz|Jl#`okv}3wPGd7i5D@AP2Jtxl5qRf8bz{u?w=G+{o)HQJp9NQ(?psF?0*7c z==7fXKR*4-^DW@hK5L7B2f*$G^mf*idBKMRg+r)bX>;5H_c%#x zAQ--5)wAiyQMyF#%&0LZ&?CU)i;E^q&%j_L$b&}wrL8}mJy7+9LlYkM5Y}yz6Mo(&GMRcK_n39 zsrMbqlJ2`;yZ}!uRI=bwK40~=_6+!Q(X59ijJjXPof!L-ElAXkU{$y`6uKc2O7}GK z8gcL~g3;*|H-lpPX?fADSqp)cI!?`5O&Q1-~Fb5q8eNN;h3*jBo}2q**86VIW`mbPxtS%NMJE155; zD7iR%sg7nMbLAYfSZUgW1))Hm5ZN8>9f=*D9guF4i|&si9aEjmiA>8(hfJ|v*9+pG zL6*5!QJaNb=JjPsk3NsWmUx!nOOi}XOjsu46mF)3u5&4YDWFqdl=-i=6)z60cxu{7 zpbah=OrkW9tth;1=}6V$;RZ)2B24sY+|9(ph(oK}Ws4;};~btcLzSbI<89?TQAlSS z`KIKuN~5L4?FJev8}~aCT{>%f>ppk{4=klL zrUYkfnk~~T%kYNrK0_CxtNP)WTB-`ZF-}TME??8pAUF`FIa?*S9zD$syA$@{z!g0D zavC{D>MRUnbWZ-ly_j7t|KzkM!M^)Mw_SJqMX6HSQlV0sQm)I=-4Bx;6t||{4-WVa zG!L}qtrA9fxKye=>_?ik99A4+WU^$&yGOdgsTjFu0sDs5VC&jttMN%+qbCWzhSPRa zh-Q3K-}LfSD_jabtf_*Zn)@19q%NuU1x}X_%xBQdh0laE<3Hp1Hg?-5-)eN@Yp#z| z<~;W#N)7xP z#0+km4f#R-agoX;QZQ09(gz7c(jiYGS)%%*6{EeP@u;bDdXz9b*?I|;H0n)ug*b*8w&5-f?Rj6RQIh6toKRu zEv2uCoXog8Q8+PKH?yGgd8KD@5Zyanpf_OHry(?!PS!UzR=tPt3T=IZw31rRo>jiw zp6nRXbmPehQzKI)^71Qz1FHvB>%5=aPs~L1MmNM%L4BVA#c3s5B-3lVflbH0{ZRCrQ(W5D z&ZX_jY)1D?%nkEPm9|o{&l*SZi;rD@DfHAm{ycxz&+f2U$0D$Hw7H>jW1fCCF=>Xd z_jrHuFpEcW(yF=ULrYGRUCS={)N|!Auf}oC>aaH7xt86{l}*v*qYrXE?Xe2ubw0dh zyji>&y~4e`s;=URr+4<0m=2b+h%#-Zwr$ zjirjpir#B%*Ev^iv`7YwH?OMAjIF3lIkfDJ@Gs^QmfkOoDDx{T<5RY(%XPi78mITn zwjFj5YkOU=?iRj1+dV^;2v9HR`9a!Ndw=vS_!4sf^VosM<~+ImO}pr({=v%b$GFNk zLf1mqmawy)T~1pr^U=b_NWNP=xwkk}&zi58|59M(5pMR!Gxj=mxVWM*!uQ_0!0piz z^Ks+uJYNm=o8HBzhE!;e*NTN{N&W+k}Tfd zw{0%uL0QDt%~{(Sk1NP-&g%t)pq69oR^E6^sWmq2xx^D;nr)hJ?6V3b?y%bueR8? z_eCHyF?{?m>?gw{m)7Czk)GFT$;W}a>vs>rt8uPtR|hfG;f))* z+i=|d?cMg=j3+dH6*B=J@8b(L4kzO82^a|UX-$M(-93G{;~4H3{@e)4#kf!Jq#fMQ z1Nbxu2MpZ?I=#XQ2iNW1P&0vS-n#~fJc=1}e;ql;tj)Jynz|SnuKEO^Mq&VXJsQ-f zhUPG9w~1?arwUY~+?yk@rR9*>2`Bt|=|)@7nqT6s(Qej^@Fk*IFtzYxIIz1iS`M`8 zA4&PaNOZL^a6_X35)_>lKm|Mnpr&X*3J^fvKl*v#835?F{R99I?+Kv#H|8Qm9< z769NBJqFOgOoU7{u zIJnU72pB~_Hp>b@e}@El!G&zlCQy`Lpes~GMovaf2tf~pLNx=gxWUYH&i_lNoZvzp zK|%g7S=sB?ughFll<^C6mz7snSC^GjkX2BSrbI|%Lwtjranin6;eV3+Zyp_2?BzgD z{~%94U+8gOXBWTVAh?jwaiKr!pXYSNdHz?)7yEBplm=ywJ+ksLadE9R+xz= z&ehvi$J2*0GfEAFvYh7c@c-xdui#%qo4<$(e-r<5{9mFa)-@32=R+wNg!u2W{w4qI z{FkUHd))V5bNFY-zpa!hBj`0{|J)dY-WK6kOu59AT2zoUG`b17~5&(2%#Qn-DD3&rgd5u?v%o}+(lU0WHEIZSgq$>N*AOD zdET8VD4}qOq))@ZfQ_3gI+24dbW)Z~GaMX>iLtaZ=(A2#X zPa0E%>JdRUx4{m1+=%A<i_V-Z9IT4g{q1g6`Op!AGcN$APS<7eSpoD9*i8;jlw@i<(I!_wP=MQ)dB37+^ z9Ap+WhoVEh(;|ooj1NLhvNR=(fGkIXS33eSQpM`00#vKmNSK30(fk9_5D_@>L0=km?SY>izk7H`&G4D*cYl*nFEY%tY_3pG?3pz=ONoM e!JFVOLtF#CXQ%0T&5u7g00Z5NI@RZ#qW%YD*yD8o literal 0 HcmV?d00001 diff --git a/docs/user/dashboard/images/settings-icon-hover-action.png b/docs/user/dashboard/images/settings-icon-hover-action.png new file mode 100644 index 0000000000000000000000000000000000000000..96a60f5131ba6ec1ef6bacd1ca7b64bfed797cb2 GIT binary patch literal 4985 zcmZ{n2{=^m_rUKM`yR3+4280cE!!}|Sdy5?79vIsCc7C7lkEEtBC=#H+4rnP){vzn z3CUWPkSy8%^zHZk_WwS=-+Q0;zUQ8EKIgpWz2|xEb0hSxXfe>9q6GkeLHm-1!O<#p zG{vbYkM30AL3;o|e+8?quCJ}G4$*gavBf%K0N_$Y;x#H$!!Gtm*A29(nZx}P22vpc zg8m82=D@rrb7CwxwO~hZri~WINsESXYt3s&3%m!#t#b4=_V#6Sb~;+o#i{xaiSqpZ z(B1B>x!t)wzeB|z{fc&T4?zBJ_+z`=uZja}x!Y?WVu8)v88*3mx&eQ=Ofb7EEA>ff zXFQ(VAMY0at{ifO@OUUbB7(J)B>x0O% z2I2eso4q}$&_Duz+p_`6zApWF+}ozNU3;mvJ7rH)V--n5<@9XsnHu~(Ctn|^41RCY zxl!V7&&X|xHCr1nHGVDWqUZi3tWc6+s^;zbt8?KVfT~-Bee;bFGqdgi@@n{PQKMDs zzRx0He4v1QjLNIdNb-P5W^QB}e{VF2v+8_zEP0`$^}&FINzQS71E?{7hs{H%)i;$WrI~qOX=LeY=g=d%4?sC$@>iOGBJM% zeM-QEPoJc4Q@=^KHaTasINe^c_mxncLC|~#5i|eBbQjP7c&W)9GlOM$bg4#E-@YFl z0I$4*zf=WgAgtj5(-4^p0@zF~+ETYn<~_zZ&U2xi6!hznNYIQ*w6$^Ctz<(h9%P4g z#$`b&1q9VMq(`WBh`y*O!vskXwmd_Wd%EjaFw>Z=-Su_&RYrUG8J6v z585C$5UB)C-KtgwH>)x3d;Zt_Of6j*mlfGMIfyNWYD$wQCMmOmT_;#6GMA#tO5swJH8$B58v2TFSdnd9CZe-564ut>{r|EyLa{;W@AV;(^w3&wh_G2b*QDqCK z>arGDN6;}f-45R4Pu*(ej%7Pa(k1@&G9q?H{ z>qGNAz%#S|4T9eK6epcb>uD**j@IllHZk!1n?K4~is%bl7RrQb`-aOHi>QcUtZqVm z9XykajP0zh{0MNyz0zjU)!U7{D$!Q0d{fVV+L5JOYq&xPCw>NN2kW-zs!3&$%2HjE zT`3Vd>A}Mq0&$vE{65WgQV)|+Y3dfpF|{#0Wu&7pLTEGY(phjkxGRiJlO=XdyFC|` z>zg~BTbO(0?ez-Ek%T2RMxnge$1?)%T;3AfoZBMXT-#vHC>zc1*&0_h5=Ih?6D$*i zx-pl9XTip)x79bYIt(lGqn^&bgDr3^z!yXr7#MI2deNK=5glsL?$O{=Uu1c2H|ER_ zEMb++MNrz;wMW&JkPYfY&Ah?l`Ga*fAB3;q^U%AI2mS{p_w(m-yN21Y(1D_NMZ=8+ z+kr^5sZ=c~pQLt?YnpjlI!7xi8&ljq$YS3+T<{K-?V(esmzod1qI6kFj~KFf;~U*a zOW0W+hja)}Tpvq%IxG**D43rRKKK>M?}3`{he{gaf9&{k5N2v1HW#u z!LngHZ@j=Wv}lbMb70R%>@jbLy{hl>QRybIc_k3utzGrVDT(pPQ8AyevMRF5Zn8QI zJs^UgA!Cs-FHZ$g2JME{W<5ufCUskjL+$8^7Z+nTdBsm#O7DFBYDLmNL(DPFQM{-W zZ63WtLXp%-n2uDE9@kcKneHB{0`)%iw9LF5CS@n(vhHvyul#;=apznGZe(_8aOsB3 znM!?`$0LlDa+OSTa&t6unsd9oE7$eK71+7h7sbuRe8f@W!sdO|Mb&%lkv8q+-4!40 zJ^B`+tD`;QHw+dj7ops~+%HgBsN!Du_4?wBZ}g)gql=yzN->r(oo5SyCRlHohOh-na6Qcyz>dkQf71P zLw}!hUtM2A+DgnI7l&Mly~SXyish1JFfenyN)c5apQ zEcLDRi1aMPt)4v@pEQy+GFmY)qcOYGHQ$fw9?#I~)9FzX7>b*_q^BqU5aHm{@EU0% zwwOFAd$W~v!@KrQ4cS%Qs~6@LTln@(9v821&$g0H1a=43$gtY+raXr0zzRK{?Jvz% zW}KwtxGPVUaVBk0df0I}yN>CL+m~<2_g?E|OjI=6yo{$vr&DJ)k;sO2o2}#GaBn_l zH?a$gJDb}y-kOZ>oCv;Sc)iF>OyWiLJL3E^%ungAif6OaNiOCGbs9$Q zdbq-gJD)p|TdDg@H@Cc*v-$J+o0=x=(cS*t`>D}#5)*s2QT9DU#Ru0HpK-Z}j&I&= zxV8I@hhJ%-u&A)xlf{dD=}x_<+i=~A!o<*$+?Zwk?jY~{qnL#c3xl$}va-bJ&5{C5 zhs5gfU4t#lZN%zs2duN6XV+|3hsht@4Q|?x-E8d*nxwkU=*Bp-Z@)1;*ZR6uaO2Yc z($1&QqR^O*nU2jfXf5-U##F|`nf1X(wv}_;IX+s~cyf5JyB8f2CcnR6tzd-<%jhAT zAHH|rdY5ZBtk;?5ti*bEZg1psWnQ0KKaa`^?!|WCaL5@BMGkIgomGL0hXZ`Ca>-~vUysU&@9mw_2irINZum9nLOAI6 zXsuN}s=9#B{cvF5KFGQScgCY)=Z=Ct^TtC@AmA`~$nI6Z6r(E7Uf#X=06+N}K%tBd zaCq8(i2{jyB33PM;pi=qS=&f6J}CWt%Z z&iobRKXEiLxSQ@+S3K6m8FCyKZR6sBhYJWCC;EH*wNDHI`%flk-0!lE3Y0juNJv2? zCH@a1P8erA;-3>&{*~$f8UNYmU!XpgfN?a{ zz#fsfqnZ%1a=)Q}8~!V3_6Ml&C-{fq5Ae7Em;nao;^=XFfX2>PJVIJo;=if?O_~0K zA*3!`kdXR~{i**qWA;CoKlT4+^xUyWXNW%D9^yYa{?z^USC%+_`F}LSU!C?#d(>(O zT4jm9+ZI84+dgy*0Kk{EHIPR36yL6m8n7anQRfb{L>^dt@@KkQNKzxT@VyZR@l*fg z-+4M_vY!P_i3R)^^3auM&3Vm?cAGsZB2xiqnhr^tou0Jm*vo`^Mf@m-TB%ic)p+110DXr zeLBX<$?@LG@}X}2o{#6%Z)laRSMSqfDKt)T5%O;#FY=ANQaq)^uXB-i#*tv``(mXj zZsucs#s~0CT`yF`+8fQ=C+jb(k%!$2qX;S@-U79fK?C&6x{X_A`4mJdFZ$f}R0=r9 zz=(K)uVZAUR5K*pSvM2cj^?;f!@Bzz9G*flO1{fLmx4YojL8i$x#-{nPbV9vw46N; z)3ML+9O!LqrEm;YZ9mcCI_EsjeSmz;>XdoS zo!Zd~Wif;h(*t-0-d`%q~$PH4rct(PUWaw zIuEl6$LV|>nRjSgvKy7}4Kvdtujr6D+4D#~c{>|iG+nlzHTE-#i)Mc2%WL0-i;8tR z`D}6lD6pi$*5RWTE{(|fCpdEcjD`12iA%}}LA>2IDF|JVxhVN=+`F2k23s{mZ~>a-AWIaJ)--VbmX^N>dINO$nNGf zGx1t?*O%uP&W~xDr_i?l4B)z@_Fl=`Y)i`u@o*%UWzN&i8!J^8E3}A}(EIVd7^30D#5FP|uPgSt*N$ z;RNNYnoJA>0Hz0MU0sBct}X=O?d68XxB`G-YG+D-VYUv|J|Gq)YC|p7q)=#$8*U)7y9lBg z(wTSI)ck_J2pu%;0v~>Hbm*j?@YduL0MH2wbeMfAh2CMZpB1=wjs~z6b^g%xhW*mU zg@_7hsaAxLIj&7A(HutxmGmoUAcZ{{Bxyp<){Yj_0*0iR{ERLmt(hb;hvG@>E_Fn* z*Hl^#Ddnzg3J)(tLnq?Ftinvo-PA7)S+`TNFn(bXH{QvM;Qfgt*~t8j;AD^RH#cbNK`6@nIR9Q;olw{b@KJZG_Kpo|8Dl|W*TBx05`hYlA
DX1G;f-^s@ z%B`K0`O4$=%-EaJD(uW*GZ!pYU0uPtPKhQUZ-Wqi#y{(iEyf(w6q8hlbPd(SOIUcO z`geoSabsjcOkq-%HVS&Ry`+{_;CMA??KCXCBj*?>-%7R z=mn^c;OEfOS~Pv$TZ~X1Ns6-^PSe7wM%9QFp ztyLtt&9RmI8ibrc)!OMx3A*3?)^31GtqB;B9{E0EuuO+x^J7;HeKl>3ZCAeN2uX;4 z`|{M()=a`o?`+_0-Din-@n*3J>b2O!R^~6@FQPl}1C={4BCn=VlIQ}*GGi#MjBs>K zJi_Rv2pJ0E5R3KJgZC%%8kj;Koz36`$JoXs#(I^NmOd$4E)6T&v0N%OE=w@En#!NF zr zB-xW}_tHVy2If)Xj~&Hq@9WK%c1vf=*@soNROL!t@r%baE~7^^Mj2J&@){kB93PUo z8{v&h-XiPD0YL$50gvvq93Xd1*2B5D^rL4CrV)yk65_V!bgiY*FS%Nzmg^6q24y}! z3u_Kb*NM=1s?*qJA4$|tD{g_B$m!qCond@Uh$~DVOwTe_E9)_4F@A0=l*V(e>D)#d zb2>PEO(NLlUIo7VOyx2HZ4po$XLG@l#iqwny(m!M7enP6`ii1F4yx?#o1T%$6azh}o9qjI%vZjh;uMrPgusv9m zKOOv0J}Tbhx83&rcmlUG_n0)7RF&Px4IO!8j!Vv9E+|VPXD{1R)Z>`%@J(x9rCRH$k$}PrMShnb$0p4TlTi0 zUpbD~-qfl4ien?b&tg1z1>ada89UFlwE5WT#p4Wx@y52@?7IofAIjdiW}!Pxolm>A zcwfMsYE*0_VjufoS@CNXoLil{wlFa#yvDI=G5>YYYFwf9@dS?ic1-f!QkYWv_yf zAi|;V_tufAqN(+%Pr~!Ul{#=8@q3awOFEO$jZq%V1TIf@8CI{vq*yzC3-DLr0rfiN zI?Y=agP+TD`ycinEDZBHn(CQe?*4-_QM4%&Bwc^ap=NVJey?uX^+RT*jJZA0FS46y zD=xJ*Yov38Gy+@J@}na_6HYb2Jo9GTM_&bW`A)CSB&-Vryl$SxckImUB-3_8fsdIHO)aDL!KC>Jw+7^d`D#O;$h;|Txq4Xj|bIBSMVjBRpq4%Z@GIjz?#`d z)_d;9rGuJE_oQ`GXGmnC(9~o_-^&0PkR|*7QNy< zS5#JTq~|^NsuykFJ5|2BnJ=zciS-*-nQ1)0S$)F2Gk0Xa#@m#Iy3+UWr%9!E=m^S$(pK+3VSBxG$6YX#UF628X5< z(s&^EcHWZj>T~?~_pKq-DpjSm6Xcaf9^x8ta-ijKpS&-^W_h}qn6-;t?swV2qY0cDv3ipWX zy3-fa6E76<7Q!_y5>FR&?}hDK?hSo$A6J_6N_=4X;C=*#gW$%cCCr?VNIzwE0r>MK zaPA|(p4r_ys6gFw$d)Dir4aA8TEGDY5+D-YbRk8)fPfaaAaZnZ4Xv8;Zosl`ett6B zKFCc`Tg-TK?Ay4>_NF+#n&v2JROPUVbW{;~=JVv{3t)`;L=|WRJxTdlg$_qrJ0oorr0Ekf}0MMjF0rV8fNm+;@>c6e5MKpiwJjagOR=P$; z6lsO>c6If{-SqMyy7Srr0JSRG+Rn$$%oL9D@{mEgcsaYu;61R%5I_wNr>GvTK1c}O z1LKK<@K#Oio2b1tu#Glb4sKcu3;{JbjROX-}NU&mjMfqvwi4 zd84sDXfIF5aa^Rcm#>dH6naeb_wzGPS3LS3CQsa7Wl;)*9a~^>GP1D$1@l3>{U6w| z z{?+)Oz#oiu|1ioa{mS@@;TPa>0dR9~G=&U#+(8XFHQ0Zh{pGI)J8thU?fyB-AE%UI zYA~t6{=OI*OseNtUQq7Jbt64(Yh@190UIsI1rU?p45{yP5@A++kmI0ykD*YbmMxNP zX39sxP)?CW_9XUJg!oH+lrLpV!u7LUFD0ls`$~`$YUwz8U-GeBJ`vTA&^I47yptzR fZ^U9FHp)*`kS)&7mC7D@d@+smFX=tfxgPc}4Y5It literal 0 HcmV?d00001 diff --git a/docs/user/dashboard/lens.asciidoc b/docs/user/dashboard/lens.asciidoc index c8394e44c8fce..27b2526df4544 100644 --- a/docs/user/dashboard/lens.asciidoc +++ b/docs/user/dashboard/lens.asciidoc @@ -39,19 +39,19 @@ Choose the data you want to visualize. Edit and delete. -. Click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to clear Lens visualization layers] on the panel, then **Edit visualization**. +. Hover over the panel and click image:dashboard/images/edit-visualization-icon.png[Edit visualization icon, width=3%] to edit the visualization. The *Edit visualization* flyout appears. -. To change the aggregation *Quick function* and, click the field in the flyout. +. To change the aggregation *Quick function*, click the field in the flyout. . To delete a field, click image:dashboard/images/trash_can.png[Actions menu icon to delete a field, width=5%] next to the field. -. To duplicate a layer, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to duplicate Lens visualization layers] in the flyout, then select *Duplicate layer*. +. To duplicate a layer, click image:dashboard/images/vertical-actions-menu.png[Actions menu to duplicate Lens visualization layers] in the flyout, then select *Duplicate layer*. -. To clear the layer configuration, click image:dashboard/images/lens_layerActions_8.5.0.png[Actions menu to clear Lens visualization layers] in the flyout, then select *Clear layer*. +. To clear the layer configuration, click image:dashboard/images/vertical-actions-menu.png[Actions menu to clear Lens visualization layers] in the flyout, then select *Clear layer*. . Click **Apply and close**. -TIP: Use the **Edit visualization** flyout to make edits without having to leave the dashboard, or click **Edit in Lens** to make edits using the Lens application. +TIP: Use the **Edit visualization** flyout to make edits without having to leave the dashboard, or click **Edit in Lens** in the flyout to make edits using the Lens application. [float] [[change-the-fields]] diff --git a/docs/user/dashboard/links-panel.asciidoc b/docs/user/dashboard/links-panel.asciidoc index 62c5538c7fcc3..e8d4273db7de2 100644 --- a/docs/user/dashboard/links-panel.asciidoc +++ b/docs/user/dashboard/links-panel.asciidoc @@ -1,5 +1,5 @@ [[dashboard-links]] -=== Link panels +=== Links panels You can use **Links** panels to create links to other dashboards or external websites. When creating links to other dashboards, you have the option to carry the time range, query, and filters to apply over to the linked dashboard. Links to external websites follow the <> settings. **Links** panels support vertical and horizontal layouts and may be saved to the *Library* for use in other dashboards. @@ -46,10 +46,10 @@ To add a previously saved links panel to another dashboard: To edit links panels: -. From the panel menu (image:images/lens_layerActions_8.5.0.png[panel menu image]), select **Edit Links**. -. Click the Edit icon (image:images/dashboard_controlsEditControl_8.3.0.png[Edit icon image]) next to the link. +. Hover over the panel and click image:dashboard/images/edit-visualization-icon.png[Edit links icon, width=3%] to edit the link. The *Edit links panel* flyout appears. +. Click image:dashboard/images/edit-link-icon.png[Edit link icon, width=3%] next to the link. + [role="screenshot"] -image::images/edit-links-panel-8.16.0.png[A screenshot displaying the Edit icon next to the link] +image::images/edit-links-panel.png[A screenshot displaying the Edit icon next to the link] . Edit the link as needed and then click **Update link**. . Click **Save**. \ No newline at end of file diff --git a/docs/user/dashboard/share-dashboards.asciidoc b/docs/user/dashboard/share-dashboards.asciidoc index 4e8f1839ae9b2..5cb2b752c65cd 100644 --- a/docs/user/dashboard/share-dashboards.asciidoc +++ b/docs/user/dashboard/share-dashboards.asciidoc @@ -1,12 +1,9 @@ -= Share dashboards - -[float] [[share-the-dashboard]] -== Share dashboards += Share dashboards To share a dashboard with a larger audience, click *Share* in the toolbar. For detailed information about the sharing options, refer to <>. -image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt49f2b5a80ec89a34/66b9e919af508f4ac182c194/share-dashboard.gif[getting a shareable link for a dashboard] +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt9428300b184af4c6/6763173de7201118db0315a7/share-dashboard-copy-link.gif[getting a shareable link for a dashboard] TIP: When sharing a dashboard with a link while a panel is in maximized view, the generated link will also open the dashboard on the same maximized panel view. @@ -18,7 +15,7 @@ TIP: When sharing a dashboard with a link while a panel is in maximized view, th You can export dashboards from **Stack Management** > **Saved Objects**. To configure and start the export: -. Select the dashboard that you want, then select **Export**. +. Select the dashboard that you want, then click **Export**. . Enable **Include related objects** if you want that objects associated to the selected dashboard, such as data views and visualizations, also get exported. This option is enabled by default and recommended if you plan to import that dashboard again in a different space or cluster. . Select **Export**. diff --git a/docs/user/dashboard/tutorial-create-a-dashboard-of-lens-panels.asciidoc b/docs/user/dashboard/tutorial-create-a-dashboard-of-lens-panels.asciidoc index 4d299ba951296..0b3f340af1014 100644 --- a/docs/user/dashboard/tutorial-create-a-dashboard-of-lens-panels.asciidoc +++ b/docs/user/dashboard/tutorial-create-a-dashboard-of-lens-panels.asciidoc @@ -83,8 +83,6 @@ In the layer pane, *Unique count of clientip* appears because the editor automat .. Click *Close*. . Click *Save and return*. -+ -*[No Title]* appears in the visualization panel header. Since the visualization has its own `Unique visitors` label, you do not need to add a panel title. [discrete] [[mixed-multiaxis]] @@ -138,7 +136,7 @@ image::images/line-chart-bottom-axis-8.16.0.png[Bottom axis menu, width=50%] Since you removed the axis labels, add a panel title: -. Open the panel menu, then select *Settings*. +. Hover over the panel and click image:dashboard/images/settings-icon-hover-action.png[Settings icon, width=3%]. The *Settings* flyout appears. . In the *Title* field, enter `Median of bytes`, then click *Apply*. + @@ -242,7 +240,7 @@ image::images/lens_pieChartCompareSubsetOfDocs_7.16.png[Pie chart that compares Add a panel title: -. Open the panel menu, then select *Settings*. +. Hover over the panel and click image:dashboard/images/settings-icon-hover-action.png[Settings icon, width=3%]. The *Settings* flyout appears. . In the *Title* field, enter `Sum of bytes from large requests`, then click *Apply*. @@ -275,7 +273,7 @@ image::images/lens_barChartDistributionOfNumberField_7.16.png[Bar chart that dis Add a panel title: -. Open the panel menu, then select *Settings*. +. Hover over the panel and click image:dashboard/images/settings-icon-hover-action.png[Settings icon, width=3%]. The *Settings* flyout appears. . In the *Title* field, enter `Website traffic`, then click *Apply*. @@ -339,7 +337,7 @@ image::images/lens_treemapMultiLevelChart_7.16.png[Treemap visualization] Add a panel title: -. Open the panel menu, then select *Settings*. +. Hover over the panel and click image:dashboard/images/settings-icon-hover-action.png[Settings icon, width=3%]. The *Settings* flyout appears. . In the *Title* field, enter `Page views by location and referrer`, then click *Apply*. diff --git a/docs/user/dashboard/use-dashboards.asciidoc b/docs/user/dashboard/use-dashboards.asciidoc index 1baa7d49ab8f8..127a8048f4056 100644 --- a/docs/user/dashboard/use-dashboards.asciidoc +++ b/docs/user/dashboard/use-dashboards.asciidoc @@ -7,7 +7,7 @@ {kib} supports several ways to explore the data displayed in a dashboard more in depth: * The **query bar**, using KQL expressions by default. -* The **Time range**, that allows you to display data only for the period that you want to focus on. You can set a global time range for the entire dashboard, or specify a custom time range for each panel. +* The **time range**, that allows you to display data only for the period that you want to focus on. You can set a global time range for the entire dashboard, or specify a custom time range for each panel. * **Controls**, that dashboard creators can add to help viewers filter on specific values. * **Filter pills**, that you can add and combine by clicking on specific parts of the dashboard visualizations, or by defining conditions manually from the filter editor. The filter editor is a good alternative if you're not comfortable with using KQL expressions in the main query bar. * View the data of a panel and the requests used to build it. @@ -16,6 +16,28 @@ This section shows the most common ways for you to filter dashboard data. For more information about {kib} and {es} filtering capabilities, refer to <>. +[float] +=== Use filter pills + +Use filter pills to focus in on the specific data you want. + +[role="screenshot"] +image::images/dashboard_filter_pills_8.15.0.png[Filter pills, width=50%] + +[float] +==== Add pills by interacting with visualizations + +You can interact with some panel visualizations to explore specific data more in depth. Upon clicking, filter pills are added and applied to the entire dashboard, so that surrounding panels and visualizations also reflect your browsing. + +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt93fcc34395a310d4/6750e7e9b09fe993fbc0824a/add-filter-pills-8.17.gif[Browsing a chart creates a filter dynamically] + +[float] +==== Add pills using the filter editor + +As an alternative to the main query bar, you can filter dashboard data by defining individual conditions on specific fields and values, and by combining these conditions together in a filter pill. + +image::images/dashboard-filter-editor.png[Filter editor with 2 conditions] + [float] === Filter dashboards using the KQL query bar @@ -40,11 +62,11 @@ image::images/dashboard-global-time-range.png[Time range menu with multiple time **To apply a panel-level time range:** -. Open the panel menu, then select *Settings*. +. Hover over the panel and click image:dashboard/images/settings-icon-hover-action.png[Settings icon, width=3%]. The *Settings* flyout appears. . Turn on *Apply a custom time range*. -. Enter the time range you want to view, then *Apply* it. +. Enter the time range you want to view, then click *Apply*. **To view and edit the time range applied to a specific panel:** @@ -66,7 +88,7 @@ Filter the data with one or more options that you select. . Select the available options. + -The *Exists* query returns all documents that contain an indexed value for the field. +Selecting _Exists_ returns all documents that contain an indexed value for the field. . Select how to filter the options. @@ -113,30 +135,7 @@ Filter the data within a specified range of time. . To clear the specified values, click image:images/dashboard_controlsClearSelections_8.3.0.png[The icon to clear all specified values in the Range slider]. [role="screenshot"] -image::images/dashboard_timeSliderControl_8.7.0.gif[Time slider control] - -[float] -=== Use filter pills - -Use filter pills to focus in on the specific data you want. - -[role="screenshot"] -image::images/dashboard_filter_pills_8.15.0.png[Filter pills, width=50%] - -[float] -==== Add pills by interacting with visualizations - -You can interact with some panel visualizations to explore specific data more in depth. Upon clicking, filter pills are added and applied to the entire dashboard, so that surrounding panels and visualizations also reflect your browsing. - -image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt3636aae815d783f9/66c467d346b3f438b396fafa/dashboard-filter-pills.gif[Browsing a chart creates a filter dynamically] - -[float] -==== Add pills using the filter editor - -As an alternative to the main query bar, you can filter dashboard data by defining individual conditions on specific fields and values, and by combining these conditions together in a filter pill. - -image::images/dashboard-filter-editor.png[Filter editor with 2 conditions] - +image::https://images.contentstack.io/v3/assets/bltefdd0b53724fa2ce/blt672f3aaadf9ea5a6/6750dd6c2452f972af0a88b4/dashboard_timeslidercontrol_8.17.0.gif[Time slider control] [float] [[download-csv]] @@ -145,7 +144,7 @@ image::images/dashboard-filter-editor.png[Filter editor with 2 conditions] **View the data in visualizations and the requests that collect the data:** -. Open the panel menu, then select **Inspect**. +. Open the panel menu and select **Inspect**. . View and download the panel data. @@ -181,7 +180,7 @@ You can display dashboards in full screen mode to gain visual space and view or image::images/dashboard-full-screen.png[A dashboard in full screen mode] -If you need to focus on a particular panel, you can maximize it. To do that, open the panel menu, and select **More** > **Maximize**. You can minimize it again the same way. +If you need to focus on a particular panel, you can maximize it by opening the panel menu and selecting **Maximize**. You can minimize it again the same way. TIP: When sharing a dashboard with a link while a panel is in maximized view, the generated link will also open the dashboard on the same maximized panel view. From fecc6d510d77479b4e3cb50db7f153686e8b45a5 Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Fri, 20 Dec 2024 18:03:46 +1100 Subject: [PATCH 26/31] [api-docs] 2024-12-20 Daily api_docs build (#205030) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/927 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- .../ai_assistant_management_selection.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/apm_data_access.mdx | 2 +- api_docs/asset_inventory.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_data_migration.mdx | 2 +- api_docs/cloud_defend.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/content_management.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.devdocs.json | 113 +- api_docs/dashboard.mdx | 4 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.devdocs.json | 52 +- api_docs/data.mdx | 4 +- api_docs/data_quality.devdocs.json | 12 +- api_docs/data_quality.mdx | 2 +- api_docs/data_query.mdx | 4 +- api_docs/data_search.devdocs.json | 182 +- api_docs/data_search.mdx | 4 +- api_docs/data_usage.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.devdocs.json | 56 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/dataset_quality.devdocs.json | 28 +- api_docs/dataset_quality.mdx | 2 +- api_docs/deprecations_by_api.mdx | 19 +- api_docs/deprecations_by_plugin.mdx | 11 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/discover_shared.mdx | 2 +- api_docs/ecs_data_quality_dashboard.mdx | 2 +- api_docs/elastic_assistant.mdx | 2 +- api_docs/embeddable.devdocs.json | 3266 +++-------------- api_docs/embeddable.mdx | 4 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/entities_data_access.mdx | 2 +- api_docs/entity_manager.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/esql.devdocs.json | 16 + api_docs/esql.mdx | 4 +- api_docs/esql_data_grid.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_annotation_listing.mdx | 2 +- api_docs/event_log.devdocs.json | 6 +- api_docs/event_log.mdx | 2 +- api_docs/exploratory_view.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/fields_metadata.devdocs.json | 90 +- api_docs/fields_metadata.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/image_embeddable.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.devdocs.json | 346 +- api_docs/index_management.mdx | 2 +- api_docs/inference.mdx | 2 +- api_docs/infra.devdocs.json | 48 +- api_docs/infra.mdx | 2 +- api_docs/ingest_pipelines.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/integration_assistant.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/inventory.mdx | 2 +- api_docs/investigate.mdx | 2 +- api_docs/investigate_app.mdx | 2 +- api_docs/kbn_actions_types.mdx | 2 +- api_docs/kbn_ai_assistant.mdx | 2 +- api_docs/kbn_ai_assistant_common.mdx | 2 +- api_docs/kbn_ai_assistant_icon.devdocs.json | 2 +- api_docs/kbn_ai_assistant_icon.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_log_pattern_analysis.mdx | 2 +- api_docs/kbn_aiops_log_rate_analysis.mdx | 2 +- .../kbn_alerting_api_integration_helpers.mdx | 2 +- api_docs/kbn_alerting_comparators.mdx | 2 +- api_docs/kbn_alerting_state_types.mdx | 2 +- api_docs/kbn_alerting_types.mdx | 2 +- api_docs/kbn_alerts_as_data_utils.mdx | 2 +- api_docs/kbn_alerts_grouping.mdx | 2 +- api_docs/kbn_alerts_ui_shared.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_collection_utils.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_data_view.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_synthtrace_client.mdx | 2 +- api_docs/kbn_apm_types.devdocs.json | 6 +- api_docs/kbn_apm_types.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_avc_banner.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_calculate_auto.mdx | 2 +- .../kbn_calculate_width_from_char_count.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_cbor.mdx | 2 +- api_docs/kbn_cell_actions.mdx | 2 +- api_docs/kbn_chart_expressions_common.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_charts_theme.devdocs.json | 48 + api_docs/kbn_charts_theme.mdx | 30 + api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_cloud_security_posture.mdx | 2 +- .../kbn_cloud_security_posture_common.mdx | 2 +- ..._cloud_security_posture_graph.devdocs.json | 2 +- api_docs/kbn_cloud_security_posture_graph.mdx | 2 +- api_docs/kbn_code_editor.mdx | 2 +- api_docs/kbn_code_editor_mock.mdx | 2 +- api_docs/kbn_code_owners.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- .../kbn_content_management_content_editor.mdx | 2 +- ...ent_management_content_insights_public.mdx | 2 +- ...ent_management_content_insights_server.mdx | 2 +- ...bn_content_management_favorites_common.mdx | 2 +- ...bn_content_management_favorites_public.mdx | 2 +- ...bn_content_management_favorites_server.mdx | 2 +- ...tent_management_tabbed_table_list_view.mdx | 2 +- ...kbn_content_management_table_list_view.mdx | 2 +- ...tent_management_table_list_view_common.mdx | 2 +- ...ntent_management_table_list_view_table.mdx | 2 +- .../kbn_content_management_user_profiles.mdx | 2 +- api_docs/kbn_content_management_utils.mdx | 2 +- .../kbn_core_analytics_browser.devdocs.json | 416 +-- api_docs/kbn_core_analytics_browser.mdx | 2 +- .../kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- .../kbn_core_analytics_server.devdocs.json | 416 +-- api_docs/kbn_core_analytics_server.mdx | 2 +- .../kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- .../kbn_core_application_browser_internal.mdx | 2 +- .../kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- .../kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- .../kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_custom_branding_browser.mdx | 2 +- ..._core_custom_branding_browser_internal.mdx | 2 +- ...kbn_core_custom_branding_browser_mocks.mdx | 2 +- api_docs/kbn_core_custom_branding_common.mdx | 2 +- api_docs/kbn_core_custom_branding_server.mdx | 2 +- ...n_core_custom_branding_server_internal.mdx | 2 +- .../kbn_core_custom_branding_server_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- ...kbn_core_deprecations_browser_internal.mdx | 2 +- .../kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- .../kbn_core_deprecations_server_internal.mdx | 2 +- .../kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- ...e_elasticsearch_client_server_internal.mdx | 2 +- ...core_elasticsearch_client_server_mocks.mdx | 2 +- ...kbn_core_elasticsearch_server.devdocs.json | 4 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- ...kbn_core_elasticsearch_server_internal.mdx | 2 +- .../kbn_core_elasticsearch_server_mocks.mdx | 2 +- .../kbn_core_environment_server_internal.mdx | 2 +- .../kbn_core_environment_server_mocks.mdx | 2 +- .../kbn_core_execution_context_browser.mdx | 2 +- ...ore_execution_context_browser_internal.mdx | 2 +- ...n_core_execution_context_browser_mocks.mdx | 2 +- .../kbn_core_execution_context_common.mdx | 2 +- .../kbn_core_execution_context_server.mdx | 2 +- ...core_execution_context_server_internal.mdx | 2 +- ...bn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- .../kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_browser.mdx | 2 +- ...bn_core_feature_flags_browser_internal.mdx | 2 +- .../kbn_core_feature_flags_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_server.mdx | 2 +- ...kbn_core_feature_flags_server_internal.mdx | 2 +- .../kbn_core_feature_flags_server_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- .../kbn_core_http_context_server_mocks.mdx | 2 +- ...re_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- ...bn_core_http_resources_server_internal.mdx | 2 +- .../kbn_core_http_resources_server_mocks.mdx | 2 +- .../kbn_core_http_router_server_internal.mdx | 2 +- .../kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.devdocs.json | 756 ++-- api_docs/kbn_core_http_server.mdx | 2 +- ...kbn_core_http_server_internal.devdocs.json | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- .../kbn_core_http_server_mocks.devdocs.json | 8 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server_utils.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- ...n_core_injected_metadata_browser_mocks.mdx | 2 +- ...kbn_core_integrations_browser_internal.mdx | 2 +- .../kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- ...ore_metrics_collectors_server_internal.mdx | 2 +- ...n_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- ...bn_core_notifications_browser_internal.mdx | 2 +- .../kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- .../kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- .../kbn_core_plugins_contracts_browser.mdx | 2 +- .../kbn_core_plugins_contracts_server.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- .../kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- .../kbn_core_saved_objects_api_browser.mdx | 2 +- .../kbn_core_saved_objects_api_server.mdx | 2 +- ...bn_core_saved_objects_api_server_mocks.mdx | 2 +- ...ore_saved_objects_base_server_internal.mdx | 2 +- ...n_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- ...bn_core_saved_objects_browser_internal.mdx | 2 +- .../kbn_core_saved_objects_browser_mocks.mdx | 2 +- ...kbn_core_saved_objects_common.devdocs.json | 16 - api_docs/kbn_core_saved_objects_common.mdx | 2 +- ..._objects_import_export_server_internal.mdx | 2 +- ...ved_objects_import_export_server_mocks.mdx | 2 +- ...aved_objects_migration_server_internal.mdx | 2 +- ...e_saved_objects_migration_server_mocks.mdx | 2 +- ...kbn_core_saved_objects_server.devdocs.json | 56 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- ...kbn_core_saved_objects_server_internal.mdx | 2 +- .../kbn_core_saved_objects_server_mocks.mdx | 2 +- .../kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_security_browser.mdx | 2 +- .../kbn_core_security_browser_internal.mdx | 2 +- ...n_core_security_browser_mocks.devdocs.json | 4 +- api_docs/kbn_core_security_browser_mocks.mdx | 2 +- .../kbn_core_security_common.devdocs.json | 17 + api_docs/kbn_core_security_common.mdx | 4 +- api_docs/kbn_core_security_server.mdx | 2 +- .../kbn_core_security_server_internal.mdx | 2 +- ...bn_core_security_server_mocks.devdocs.json | 4 +- api_docs/kbn_core_security_server_mocks.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- ...core_test_helpers_deprecations_getters.mdx | 2 +- ...n_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- .../kbn_core_test_helpers_model_versions.mdx | 2 +- ...n_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- .../kbn_core_ui_settings_browser_internal.mdx | 2 +- .../kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- .../kbn_core_ui_settings_server_internal.mdx | 2 +- .../kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- .../kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_browser.mdx | 2 +- ...kbn_core_user_profile_browser_internal.mdx | 2 +- .../kbn_core_user_profile_browser_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_common.mdx | 2 +- api_docs/kbn_core_user_profile_server.mdx | 2 +- .../kbn_core_user_profile_server_internal.mdx | 2 +- .../kbn_core_user_profile_server_mocks.mdx | 2 +- api_docs/kbn_core_user_settings_server.mdx | 2 +- .../kbn_core_user_settings_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_custom_icons.devdocs.json | 32 +- api_docs/kbn_custom_icons.mdx | 2 +- api_docs/kbn_custom_integrations.devdocs.json | 34 +- api_docs/kbn_custom_integrations.mdx | 2 +- api_docs/kbn_cypress_config.mdx | 2 +- api_docs/kbn_data_forge.mdx | 2 +- api_docs/kbn_data_service.mdx | 2 +- api_docs/kbn_data_stream_adapter.mdx | 2 +- api_docs/kbn_data_view_utils.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_deeplinks_analytics.mdx | 2 +- api_docs/kbn_deeplinks_devtools.mdx | 2 +- api_docs/kbn_deeplinks_fleet.mdx | 2 +- api_docs/kbn_deeplinks_management.mdx | 2 +- api_docs/kbn_deeplinks_ml.mdx | 2 +- api_docs/kbn_deeplinks_observability.mdx | 2 +- api_docs/kbn_deeplinks_search.mdx | 2 +- api_docs/kbn_deeplinks_security.mdx | 2 +- api_docs/kbn_deeplinks_shared.mdx | 2 +- api_docs/kbn_default_nav_analytics.mdx | 2 +- api_docs/kbn_default_nav_devtools.mdx | 2 +- api_docs/kbn_default_nav_management.mdx | 2 +- api_docs/kbn_default_nav_ml.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- ...iscover_contextual_components.devdocs.json | 70 +- .../kbn_discover_contextual_components.mdx | 2 +- api_docs/kbn_discover_utils.devdocs.json | 4 +- api_docs/kbn_discover_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_dom_drag_drop.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_ecs_data_quality_dashboard.mdx | 2 +- api_docs/kbn_elastic_agent_utils.devdocs.json | 84 +- api_docs/kbn_elastic_agent_utils.mdx | 2 +- api_docs/kbn_elastic_assistant.mdx | 2 +- api_docs/kbn_elastic_assistant_common.mdx | 2 +- api_docs/kbn_entities_schema.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_esql_ast.mdx | 2 +- api_docs/kbn_esql_editor.devdocs.json | 16 + api_docs/kbn_esql_editor.mdx | 4 +- api_docs/kbn_esql_utils.devdocs.json | 33 + api_docs/kbn_esql_utils.mdx | 4 +- api_docs/kbn_esql_validation_autocomplete.mdx | 2 +- api_docs/kbn_event_annotation_common.mdx | 2 +- api_docs/kbn_event_annotation_components.mdx | 2 +- api_docs/kbn_expandable_flyout.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_field_utils.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_formatters.mdx | 2 +- .../kbn_ftr_common_functional_services.mdx | 2 +- .../kbn_ftr_common_functional_ui_services.mdx | 2 +- api_docs/kbn_gen_ai_functional_testing.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_generate_console_definitions.mdx | 2 +- api_docs/kbn_generate_csv.mdx | 2 +- api_docs/kbn_grid_layout.mdx | 2 +- api_docs/kbn_grouping.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_index_adapter.mdx | 2 +- ...dex_lifecycle_management_common_shared.mdx | 2 +- .../kbn_index_management_shared_types.mdx | 2 +- api_docs/kbn_inference_common.mdx | 2 +- api_docs/kbn_inference_integration_flyout.mdx | 2 +- api_docs/kbn_infra_forge.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_investigation_shared.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_ipynb.mdx | 2 +- api_docs/kbn_item_buffer.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_json_ast.mdx | 2 +- api_docs/kbn_json_schemas.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation.mdx | 2 +- api_docs/kbn_lens_embeddable_utils.mdx | 2 +- api_docs/kbn_lens_formula_docs.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_content_badge.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_management_cards_navigation.mdx | 2 +- .../kbn_management_settings_application.mdx | 2 +- ...ent_settings_components_field_category.mdx | 2 +- ...gement_settings_components_field_input.mdx | 2 +- ...nagement_settings_components_field_row.mdx | 2 +- ...bn_management_settings_components_form.mdx | 2 +- ...n_management_settings_field_definition.mdx | 2 +- .../kbn_management_settings_ids.devdocs.json | 15 - api_docs/kbn_management_settings_ids.mdx | 4 +- ...n_management_settings_section_registry.mdx | 2 +- api_docs/kbn_management_settings_types.mdx | 2 +- .../kbn_management_settings_utilities.mdx | 2 +- api_docs/kbn_management_storybook_config.mdx | 2 +- api_docs/kbn_manifest.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_maps_vector_tile_utils.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_anomaly_utils.mdx | 2 +- api_docs/kbn_ml_cancellable_search.mdx | 2 +- api_docs/kbn_ml_category_validator.mdx | 2 +- api_docs/kbn_ml_chi2test.mdx | 2 +- .../kbn_ml_data_frame_analytics_utils.mdx | 2 +- api_docs/kbn_ml_data_grid.mdx | 2 +- api_docs/kbn_ml_date_picker.mdx | 2 +- api_docs/kbn_ml_date_utils.mdx | 2 +- api_docs/kbn_ml_error_utils.mdx | 2 +- api_docs/kbn_ml_field_stats_flyout.mdx | 2 +- api_docs/kbn_ml_in_memory_table.mdx | 2 +- api_docs/kbn_ml_is_defined.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_kibana_theme.mdx | 2 +- api_docs/kbn_ml_local_storage.mdx | 2 +- api_docs/kbn_ml_nested_property.mdx | 2 +- api_docs/kbn_ml_number_utils.mdx | 2 +- api_docs/kbn_ml_parse_interval.mdx | 2 +- api_docs/kbn_ml_query_utils.mdx | 2 +- api_docs/kbn_ml_random_sampler_utils.mdx | 2 +- api_docs/kbn_ml_route_utils.mdx | 2 +- api_docs/kbn_ml_runtime_field_utils.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_ml_time_buckets.mdx | 2 +- api_docs/kbn_ml_trained_models_utils.mdx | 2 +- api_docs/kbn_ml_ui_actions.mdx | 2 +- api_docs/kbn_ml_url_state.mdx | 2 +- api_docs/kbn_ml_validators.mdx | 2 +- api_docs/kbn_mock_idp_utils.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_object_versioning.mdx | 2 +- api_docs/kbn_object_versioning_utils.mdx | 2 +- api_docs/kbn_observability_alert_details.mdx | 2 +- .../kbn_observability_alerting_rule_utils.mdx | 2 +- .../kbn_observability_alerting_test_data.mdx | 2 +- ...ility_get_padded_alert_time_range_util.mdx | 2 +- ...n_observability_logs_overview.devdocs.json | 54 +- api_docs/kbn_observability_logs_overview.mdx | 2 +- ...kbn_observability_synthetics_test_data.mdx | 2 +- api_docs/kbn_openapi_bundler.mdx | 2 +- api_docs/kbn_openapi_generator.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_palettes.mdx | 2 +- api_docs/kbn_panel_loader.mdx | 2 +- ..._performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_check.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_presentation_containers.mdx | 2 +- api_docs/kbn_presentation_publishing.mdx | 2 +- api_docs/kbn_product_doc_artifact_builder.mdx | 2 +- api_docs/kbn_product_doc_common.mdx | 2 +- api_docs/kbn_profiling_utils.mdx | 2 +- api_docs/kbn_random_sampling.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_react_hooks.devdocs.json | 16 +- api_docs/kbn_react_hooks.mdx | 2 +- api_docs/kbn_react_kibana_context_common.mdx | 2 +- api_docs/kbn_react_kibana_context_render.mdx | 2 +- api_docs/kbn_react_kibana_context_root.mdx | 2 +- api_docs/kbn_react_kibana_context_styled.mdx | 2 +- api_docs/kbn_react_kibana_context_theme.mdx | 2 +- api_docs/kbn_react_kibana_mount.mdx | 2 +- .../kbn_react_mute_legacy_root_warning.mdx | 2 +- api_docs/kbn_recently_accessed.mdx | 2 +- api_docs/kbn_relocate.mdx | 2 +- api_docs/kbn_repo_file_maps.mdx | 2 +- api_docs/kbn_repo_linter.mdx | 2 +- api_docs/kbn_repo_path.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_reporting_common.mdx | 2 +- api_docs/kbn_reporting_csv_share_panel.mdx | 2 +- api_docs/kbn_reporting_export_types_csv.mdx | 2 +- .../kbn_reporting_export_types_csv_common.mdx | 2 +- api_docs/kbn_reporting_export_types_pdf.mdx | 2 +- .../kbn_reporting_export_types_pdf_common.mdx | 2 +- api_docs/kbn_reporting_export_types_png.mdx | 2 +- .../kbn_reporting_export_types_png_common.mdx | 2 +- api_docs/kbn_reporting_mocks_server.mdx | 2 +- api_docs/kbn_reporting_public.mdx | 2 +- api_docs/kbn_reporting_server.mdx | 2 +- api_docs/kbn_resizable_layout.mdx | 2 +- .../kbn_response_ops_feature_flag_service.mdx | 2 +- api_docs/kbn_response_ops_rule_form.mdx | 2 +- api_docs/kbn_response_ops_rule_params.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rollup.mdx | 2 +- api_docs/kbn_router_to_openapispec.mdx | 2 +- api_docs/kbn_router_utils.devdocs.json | 4 +- api_docs/kbn_router_utils.mdx | 2 +- api_docs/kbn_rrule.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_saved_objects_settings.mdx | 2 +- api_docs/kbn_saved_search_component.mdx | 2 +- api_docs/kbn_scout.devdocs.json | 6 +- api_docs/kbn_scout.mdx | 2 +- api_docs/kbn_scout_info.mdx | 2 +- api_docs/kbn_scout_reporting.mdx | 2 +- api_docs/kbn_screenshotting_server.mdx | 2 +- api_docs/kbn_search_api_keys_components.mdx | 2 +- api_docs/kbn_search_api_keys_server.mdx | 2 +- api_docs/kbn_search_api_panels.mdx | 2 +- api_docs/kbn_search_connectors.mdx | 2 +- api_docs/kbn_search_errors.mdx | 2 +- api_docs/kbn_search_index_documents.mdx | 2 +- api_docs/kbn_search_response_warnings.mdx | 2 +- api_docs/kbn_search_shared_ui.devdocs.json | 99 + api_docs/kbn_search_shared_ui.mdx | 4 +- api_docs/kbn_search_types.mdx | 2 +- api_docs/kbn_security_api_key_management.mdx | 2 +- api_docs/kbn_security_authorization_core.mdx | 2 +- ...kbn_security_authorization_core_common.mdx | 2 +- api_docs/kbn_security_form_components.mdx | 2 +- api_docs/kbn_security_hardening.mdx | 2 +- ..._security_plugin_types_common.devdocs.json | 17 + api_docs/kbn_security_plugin_types_common.mdx | 4 +- api_docs/kbn_security_plugin_types_public.mdx | 2 +- ..._security_plugin_types_server.devdocs.json | 16 +- api_docs/kbn_security_plugin_types_server.mdx | 2 +- .../kbn_security_role_management_model.mdx | 2 +- ...kbn_security_solution_distribution_bar.mdx | 2 +- api_docs/kbn_security_solution_features.mdx | 2 +- api_docs/kbn_security_solution_navigation.mdx | 2 +- api_docs/kbn_security_solution_side_nav.mdx | 2 +- ...kbn_security_solution_storybook_config.mdx | 2 +- api_docs/kbn_security_ui_components.mdx | 2 +- .../kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_data_table.mdx | 2 +- api_docs/kbn_securitysolution_ecs.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- ...ritysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- ..._securitysolution_io_ts_alerting_types.mdx | 2 +- .../kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- .../kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- .../kbn_server_route_repository_client.mdx | 2 +- .../kbn_server_route_repository_utils.mdx | 2 +- api_docs/kbn_serverless_common_settings.mdx | 2 +- .../kbn_serverless_observability_settings.mdx | 2 +- api_docs/kbn_serverless_project_switcher.mdx | 2 +- api_docs/kbn_serverless_search_settings.mdx | 2 +- api_docs/kbn_serverless_security_settings.mdx | 2 +- api_docs/kbn_serverless_storybook_config.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- .../kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_chrome_navigation.mdx | 2 +- api_docs/kbn_shared_ux_error_boundary.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_picker.mdx | 2 +- api_docs/kbn_shared_ux_file_types.mdx | 2 +- api_docs/kbn_shared_ux_file_upload.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- .../kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- .../kbn_shared_ux_page_analytics_no_data.mdx | 2 +- ...shared_ux_page_analytics_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_no_data.mdx | 2 +- ...bn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_template.mdx | 2 +- ...n_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- .../kbn_shared_ux_page_no_data_config.mdx | 2 +- ...bn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- ...hared_ux_prompt_no_data_views.devdocs.json | 3 +- .../kbn_shared_ux_prompt_no_data_views.mdx | 2 +- ...n_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_tabbed_modal.mdx | 2 +- api_docs/kbn_shared_ux_table_persist.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_slo_schema.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_predicates.mdx | 2 +- api_docs/kbn_sse_utils.mdx | 2 +- api_docs/kbn_sse_utils_client.mdx | 2 +- api_docs/kbn_sse_utils_server.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_synthetics_e2e.mdx | 2 +- api_docs/kbn_synthetics_private_location.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_eui_helpers.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_timerange.devdocs.json | 28 +- api_docs/kbn_timerange.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_transpose_utils.mdx | 2 +- api_docs/kbn_triggers_actions_ui_types.mdx | 2 +- api_docs/kbn_try_in_console.mdx | 2 +- api_docs/kbn_ts_projects.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_actions_browser.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_unified_data_table.mdx | 2 +- api_docs/kbn_unified_doc_viewer.mdx | 2 +- api_docs/kbn_unified_field_list.mdx | 2 +- api_docs/kbn_unsaved_changes_badge.mdx | 2 +- api_docs/kbn_unsaved_changes_prompt.mdx | 2 +- api_docs/kbn_use_tracked_promise.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- ...n_visualization_ui_components.devdocs.json | 7 +- api_docs/kbn_visualization_ui_components.mdx | 2 +- api_docs/kbn_visualization_utils.mdx | 2 +- api_docs/kbn_xstate_utils.devdocs.json | 28 +- api_docs/kbn_xstate_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kbn_zod.mdx | 2 +- api_docs/kbn_zod_helpers.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.devdocs.json | 50 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.devdocs.json | 8 +- api_docs/licensing.mdx | 2 +- api_docs/links.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/llm_tasks.mdx | 2 +- api_docs/logs_data_access.devdocs.json | 26 +- api_docs/logs_data_access.mdx | 2 +- api_docs/logs_explorer.devdocs.json | 240 +- api_docs/logs_explorer.mdx | 2 +- api_docs/logs_shared.devdocs.json | 588 +-- api_docs/logs_shared.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/metrics_data_access.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/mock_idp_plugin.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.devdocs.json | 16 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/no_data_page.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/observability_a_i_assistant.mdx | 2 +- api_docs/observability_a_i_assistant_app.mdx | 2 +- .../observability_ai_assistant_management.mdx | 2 +- .../observability_logs_explorer.devdocs.json | 38 +- api_docs/observability_logs_explorer.mdx | 2 +- .../observability_onboarding.devdocs.json | 46 +- api_docs/observability_onboarding.mdx | 2 +- api_docs/observability_shared.devdocs.json | 8 +- api_docs/observability_shared.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/painless_lab.mdx | 2 +- api_docs/plugin_directory.mdx | 31 +- api_docs/presentation_panel.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/product_doc_base.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/profiling_data_access.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/search_assistant.mdx | 2 +- api_docs/search_connectors.mdx | 2 +- api_docs/search_homepage.mdx | 2 +- api_docs/search_indices.mdx | 2 +- api_docs/search_inference_endpoints.mdx | 2 +- api_docs/search_navigation.mdx | 2 +- api_docs/search_notebooks.mdx | 2 +- api_docs/search_playground.mdx | 2 +- api_docs/security.devdocs.json | 75 +- api_docs/security.mdx | 4 +- api_docs/security_solution.devdocs.json | 4 +- api_docs/security_solution.mdx | 2 +- api_docs/security_solution_ess.mdx | 2 +- api_docs/security_solution_serverless.mdx | 2 +- api_docs/serverless.mdx | 2 +- api_docs/serverless_observability.mdx | 2 +- api_docs/serverless_search.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/slo.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/streams.mdx | 2 +- api_docs/streams_app.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.devdocs.json | 8 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.devdocs.json | 42 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_doc_viewer.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/uptime.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.devdocs.json | 43 +- api_docs/visualizations.mdx | 2 +- dev_docs/nav-kibana-dev.docnav.json | 3 - 838 files changed, 3814 insertions(+), 5582 deletions(-) create mode 100644 api_docs/kbn_charts_theme.devdocs.json create mode 100644 api_docs/kbn_charts_theme.mdx diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 7650aeb8dcfa5..a4a79b8a6b1ed 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index a05e689785452..7e1406976f669 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/ai_assistant_management_selection.mdx b/api_docs/ai_assistant_management_selection.mdx index 524fe1a91e50a..215f824ed1347 100644 --- a/api_docs/ai_assistant_management_selection.mdx +++ b/api_docs/ai_assistant_management_selection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiAssistantManagementSelection title: "aiAssistantManagementSelection" image: https://source.unsplash.com/400x175/?github description: API docs for the aiAssistantManagementSelection plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiAssistantManagementSelection'] --- import aiAssistantManagementSelectionObj from './ai_assistant_management_selection.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 4f5f8b0e0b217..03d785abbbefa 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index 0724accf74a70..432f5f36463ec 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index 7cca1efb8acc4..9d06f884fc35c 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/apm_data_access.mdx b/api_docs/apm_data_access.mdx index 08d867d06307f..537bd8ac11d7c 100644 --- a/api_docs/apm_data_access.mdx +++ b/api_docs/apm_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apmDataAccess title: "apmDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the apmDataAccess plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apmDataAccess'] --- import apmDataAccessObj from './apm_data_access.devdocs.json'; diff --git a/api_docs/asset_inventory.mdx b/api_docs/asset_inventory.mdx index b1c0b1fb82a09..31f546e50fd44 100644 --- a/api_docs/asset_inventory.mdx +++ b/api_docs/asset_inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/assetInventory title: "assetInventory" image: https://source.unsplash.com/400x175/?github description: API docs for the assetInventory plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'assetInventory'] --- import assetInventoryObj from './asset_inventory.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index f58051f5f9cc5..0d8585fa15bbd 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index f8e75cb086f1a..3cab7faae3631 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 11e0cd19b8e3d..5d893ada359d1 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index cc99db2875b8c..c22cb3eb980bc 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index 423002b5cc127..9ba8d0355c1fa 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_data_migration.mdx b/api_docs/cloud_data_migration.mdx index 98e6722368ac1..278fcb1420fb5 100644 --- a/api_docs/cloud_data_migration.mdx +++ b/api_docs/cloud_data_migration.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDataMigration title: "cloudDataMigration" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDataMigration plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDataMigration'] --- import cloudDataMigrationObj from './cloud_data_migration.devdocs.json'; diff --git a/api_docs/cloud_defend.mdx b/api_docs/cloud_defend.mdx index 5748db476e83e..aa81d8098c2d3 100644 --- a/api_docs/cloud_defend.mdx +++ b/api_docs/cloud_defend.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDefend title: "cloudDefend" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDefend plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDefend'] --- import cloudDefendObj from './cloud_defend.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index 7b6988175f6b0..eff3bcbe23d42 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index 1df4fc43a92a1..cd98f15b68c31 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/content_management.mdx b/api_docs/content_management.mdx index 3b483d2f7843c..768bceeaddcb5 100644 --- a/api_docs/content_management.mdx +++ b/api_docs/content_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/contentManagement title: "contentManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the contentManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'contentManagement'] --- import contentManagementObj from './content_management.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index c6222b60f3eb0..1dc7286cd0352 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index 2669ea99b01d3..b906fdfe9204d 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.devdocs.json b/api_docs/dashboard.devdocs.json index 990872bdeb3e6..d1c2604329eec 100644 --- a/api_docs/dashboard.devdocs.json +++ b/api_docs/dashboard.devdocs.json @@ -1076,7 +1076,23 @@ }, "; forceRefresh: () => void; getSettings: () => ", "DashboardSettings", - "; getDashboardPanelFromId: (id: string) => ", + "; getSerializedState: () => { attributes: ", + { + "pluginId": "dashboard", + "scope": "server", + "docId": "kibDashboardPluginApi", + "section": "def-server.DashboardAttributes", + "text": "DashboardAttributes" + }, + "; references: ", + { + "pluginId": "@kbn/core-saved-objects-common", + "scope": "common", + "docId": "kibKbnCoreSavedObjectsCommonPluginApi", + "section": "def-common.SavedObjectReference", + "text": "SavedObjectReference" + }, + "[]; }; getDashboardPanelFromId: (id: string) => ", { "pluginId": "dashboard", "scope": "common", @@ -1976,6 +1992,101 @@ "returnComment": [], "initialIsOpen": false }, + { + "parentPluginId": "dashboard", + "id": "def-common.generateNewPanelIds", + "type": "Function", + "tags": [], + "label": "generateNewPanelIds", + "description": [ + "\nWhen saving a dashboard as a copy, we should generate new IDs for all panels so that they are\nproperly refreshed when navigating between Dashboards" + ], + "signature": [ + "(panels: ", + { + "pluginId": "dashboard", + "scope": "common", + "docId": "kibDashboardPluginApi", + "section": "def-common.DashboardPanelMap", + "text": "DashboardPanelMap" + }, + ", references?: ", + { + "pluginId": "@kbn/content-management-utils", + "scope": "server", + "docId": "kibKbnContentManagementUtilsPluginApi", + "section": "def-server.Reference", + "text": "Reference" + }, + "[] | undefined) => { panels: ", + { + "pluginId": "dashboard", + "scope": "common", + "docId": "kibDashboardPluginApi", + "section": "def-common.DashboardPanelMap", + "text": "DashboardPanelMap" + }, + "; references: ", + { + "pluginId": "@kbn/content-management-utils", + "scope": "server", + "docId": "kibKbnContentManagementUtilsPluginApi", + "section": "def-server.Reference", + "text": "Reference" + }, + "[]; }" + ], + "path": "src/plugins/dashboard/common/lib/dashboard_panel_converters.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "dashboard", + "id": "def-common.generateNewPanelIds.$1", + "type": "Object", + "tags": [], + "label": "panels", + "description": [], + "signature": [ + { + "pluginId": "dashboard", + "scope": "common", + "docId": "kibDashboardPluginApi", + "section": "def-common.DashboardPanelMap", + "text": "DashboardPanelMap" + } + ], + "path": "src/plugins/dashboard/common/lib/dashboard_panel_converters.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + }, + { + "parentPluginId": "dashboard", + "id": "def-common.generateNewPanelIds.$2", + "type": "Array", + "tags": [], + "label": "references", + "description": [], + "signature": [ + { + "pluginId": "@kbn/content-management-utils", + "scope": "server", + "docId": "kibKbnContentManagementUtilsPluginApi", + "section": "def-server.Reference", + "text": "Reference" + }, + "[] | undefined" + ], + "path": "src/plugins/dashboard/common/lib/dashboard_panel_converters.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": false + } + ], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "dashboard", "id": "def-common.injectReferences", diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index d0b1819abe88d..7718820c80ae8 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kib | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 114 | 0 | 111 | 13 | +| 117 | 0 | 113 | 13 | ## Client diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index 48fd54b0e6d1f..8d6784a90bbc0 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.devdocs.json b/api_docs/data.devdocs.json index 309d7d82ac4a8..43325e817928c 100644 --- a/api_docs/data.devdocs.json +++ b/api_docs/data.devdocs.json @@ -9038,7 +9038,7 @@ "section": "def-common.MetricAggType", "text": "MetricAggType" }, - "[]; }; }; calculateAutoTimeExpression: (range: ", + "[]; }; }; calculateAutoTimeExpression: { (range: ", { "pluginId": "data", "scope": "common", @@ -9046,7 +9046,35 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined; createAggConfigs: (indexPattern: ", + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }; createAggConfigs: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -12011,7 +12039,7 @@ "section": "def-server.DataPluginStart", "text": "DataPluginStart" }, - ">, { bfetch, expressions, usageCollection, fieldFormats }: ", + ">, { expressions, usageCollection, fieldFormats }: ", "DataPluginSetupDependencies", ") => { search: ", "ISearchSetup", @@ -12068,7 +12096,7 @@ "id": "def-server.DataServerPlugin.setup.$2", "type": "Object", "tags": [], - "label": "{ bfetch, expressions, usageCollection, fieldFormats }", + "label": "{ expressions, usageCollection, fieldFormats }", "description": [], "signature": [ "DataPluginSetupDependencies" @@ -12664,10 +12692,6 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.test.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" - }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" @@ -12676,6 +12700,10 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" + }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/edit_index_pattern/source_filters_table/components/table/table.tsx" @@ -19199,10 +19227,6 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.test.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" - }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" @@ -19211,6 +19235,10 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" + }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/edit_index_pattern/source_filters_table/components/table/table.tsx" diff --git a/api_docs/data.mdx b/api_docs/data.mdx index dae587e071950..d99a2e9c1d574 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/k | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3209 | 31 | 2594 | 24 | +| 3208 | 31 | 2593 | 25 | ## Client diff --git a/api_docs/data_quality.devdocs.json b/api_docs/data_quality.devdocs.json index 30196189a1f55..95326b7de5f75 100644 --- a/api_docs/data_quality.devdocs.json +++ b/api_docs/data_quality.devdocs.json @@ -14,7 +14,7 @@ "tags": [], "label": "DataQualityPluginSetup", "description": [], - "path": "x-pack/plugins/data_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/data_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -28,7 +28,7 @@ "tags": [], "label": "DataQualityPluginStart", "description": [], - "path": "x-pack/plugins/data_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/data_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -60,7 +60,7 @@ "signature": [ "\"pageState\"" ], - "path": "x-pack/plugins/data_quality/common/url_schema/common.ts", + "path": "x-pack/platform/plugins/shared/data_quality/common/url_schema/common.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -75,7 +75,7 @@ "signature": [ "\"dataQuality\"" ], - "path": "x-pack/plugins/data_quality/common/index.ts", + "path": "x-pack/platform/plugins/shared/data_quality/common/index.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -90,7 +90,7 @@ "signature": [ "\"data_quality\"" ], - "path": "x-pack/plugins/data_quality/common/index.ts", + "path": "x-pack/platform/plugins/shared/data_quality/common/index.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -102,7 +102,7 @@ "tags": [], "label": "PLUGIN_NAME", "description": [], - "path": "x-pack/plugins/data_quality/common/index.ts", + "path": "x-pack/platform/plugins/shared/data_quality/common/index.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/data_quality.mdx b/api_docs/data_quality.mdx index dcaf1f5959d6d..c80150088c26a 100644 --- a/api_docs/data_quality.mdx +++ b/api_docs/data_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataQuality title: "dataQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the dataQuality plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataQuality'] --- import dataQualityObj from './data_quality.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 58cd2695f27a6..5203c8a7da972 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/k | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3209 | 31 | 2594 | 24 | +| 3208 | 31 | 2593 | 25 | ## Client diff --git a/api_docs/data_search.devdocs.json b/api_docs/data_search.devdocs.json index 3c8f70ebd85b5..30bf89694ff0c 100644 --- a/api_docs/data_search.devdocs.json +++ b/api_docs/data_search.devdocs.json @@ -317,7 +317,7 @@ "section": "def-common.MetricAggType", "text": "MetricAggType" }, - "[]; }; }; calculateAutoTimeExpression: (range: ", + "[]; }; }; calculateAutoTimeExpression: { (range: ", { "pluginId": "data", "scope": "common", @@ -325,7 +325,35 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined; createAggConfigs: (indexPattern: ", + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }; createAggConfigs: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -11293,7 +11321,8 @@ "\nGet the interval for the buckets. If the\nnumber of buckets created by the interval set\nis larger than config:histogram:maxBars then the\ninterval will be scaled up. If the number of buckets\ncreated is less than one, the interval is scaled back.\n\nThe interval object returned is a moment.duration\nobject that has been decorated with the following\nproperties.\n\ninterval.description: a text description of the interval.\n designed to be used list \"field per {{ desc }}\".\n - \"minute\"\n - \"10 days\"\n - \"3 years\"\n\ninterval.expression: the elasticsearch expression that creates this\n interval. If the interval does not properly form an elasticsearch\n expression it will be forced into one.\n\ninterval.scaled: the interval was adjusted to\n accommodate the maxBars setting.\n\ninterval.scale: the number that y-values should be\n multiplied by" ], "signature": [ - "(useNormalizedEsInterval?: boolean) => TimeBucketsInterval" + "(useNormalizedEsInterval?: boolean) => ", + "TimeBucketsInterval" ], "path": "src/plugins/data/common/search/aggs/buckets/lib/time_buckets/time_buckets.ts", "deprecated": false, @@ -13274,7 +13303,33 @@ "label": "getCalculateAutoTimeExpression", "description": [], "signature": [ - "(getConfig: (key: string) => any) => (range: ", + "(getConfig: (key: string) => any) => { (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", { "pluginId": "data", "scope": "common", @@ -13282,7 +13337,9 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined" + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }" ], "path": "src/plugins/data/common/search/aggs/utils/calculate_auto_time_expression.ts", "deprecated": false, @@ -24348,7 +24405,7 @@ "label": "calculateAutoTimeExpression", "description": [], "signature": [ - "(range: ", + "{ (range: ", { "pluginId": "data", "scope": "common", @@ -24356,28 +24413,39 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined" + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }" ], "path": "src/plugins/data/common/search/aggs/types.ts", "deprecated": false, - "trackAdoption": 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, - "trackAdoption": false - } - ] + "trackAdoption": false }, { "parentPluginId": "data", @@ -29340,7 +29408,7 @@ "section": "def-common.MetricAggType", "text": "MetricAggType" }, - "[]; }; }; calculateAutoTimeExpression: (range: ", + "[]; }; }; calculateAutoTimeExpression: { (range: ", { "pluginId": "data", "scope": "common", @@ -29348,7 +29416,35 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined; createAggConfigs: (indexPattern: ", + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }; createAggConfigs: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", @@ -31206,7 +31302,33 @@ "section": "def-common.MetricAggType", "text": "MetricAggType" }, - "[]; }; }; calculateAutoTimeExpression: (range: ", + "[]; }; }; calculateAutoTimeExpression: { (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + "): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression?: true | undefined): string | undefined; (range: ", + { + "pluginId": "data", + "scope": "common", + "docId": "kibDataQueryPluginApi", + "section": "def-common.TimeRange", + "text": "TimeRange" + }, + ", interval: string, asExpression: false): ", + "TimeBucketsInterval", + " | undefined; (range: ", { "pluginId": "data", "scope": "common", @@ -31214,7 +31336,9 @@ "section": "def-common.TimeRange", "text": "TimeRange" }, - ") => string | undefined; createAggConfigs: (indexPattern: ", + ", interval?: string | undefined, asExpression?: boolean | undefined): string | ", + "TimeBucketsInterval", + " | undefined; }; createAggConfigs: (indexPattern: ", { "pluginId": "dataViews", "scope": "common", diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index 33200e190f3ff..f68f53a0fe4f7 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/k | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 3209 | 31 | 2594 | 24 | +| 3208 | 31 | 2593 | 25 | ## Client diff --git a/api_docs/data_usage.mdx b/api_docs/data_usage.mdx index 4153e46e84436..ef33327c4061f 100644 --- a/api_docs/data_usage.mdx +++ b/api_docs/data_usage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataUsage title: "dataUsage" image: https://source.unsplash.com/400x175/?github description: API docs for the dataUsage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataUsage'] --- import dataUsageObj from './data_usage.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index 68c9f0a6aca18..e1ecbfe921dbd 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index 969caafef28ee..f59e8555dc879 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index e0e54bafe7aa5..497cd57ef4c71 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.devdocs.json b/api_docs/data_views.devdocs.json index 09293c388bde7..028f75ffeaca0 100644 --- a/api_docs/data_views.devdocs.json +++ b/api_docs/data_views.devdocs.json @@ -431,10 +431,6 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.test.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" - }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" @@ -443,6 +439,10 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" + }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/edit_index_pattern/source_filters_table/components/table/table.tsx" @@ -8305,10 +8305,6 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.test.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" - }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" @@ -8317,6 +8313,10 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" + }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/edit_index_pattern/source_filters_table/components/table/table.tsx" @@ -14058,10 +14058,6 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/public/components/datasource/datasource_component.js" }, - { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" - }, { "plugin": "ml", "path": "x-pack/platform/plugins/shared/ml/public/application/jobs/new_job/common/job_creator/job_creator.ts" @@ -14146,6 +14142,10 @@ "plugin": "@kbn/ml-data-view-utils", "path": "x-pack/platform/packages/private/ml/data_view_utils/actions/data_view_handler.ts" }, + { + "plugin": "fleet", + "path": "x-pack/plugins/fleet/public/applications/fleet/sections/agents/agent_details_page/components/agent_logs/query_bar.tsx" + }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.sagas.ts" @@ -14194,18 +14194,6 @@ "plugin": "exploratoryView", "path": "x-pack/solutions/observability/plugins/exploratory_view/public/components/shared/exploratory_view/series_editor/columns/filter_value_btn.tsx" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/index_patterns_utils.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/common/index_patterns_utils.ts" - }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/get_fields.ts" - }, { "plugin": "maps", "path": "x-pack/plugins/maps/public/classes/tooltips/es_tooltip_property.test.ts" @@ -14246,6 +14234,18 @@ "plugin": "transform", "path": "x-pack/platform/plugins/private/transform/public/app/sections/create_transform/components/step_define/common/common.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/common/index_patterns_utils.ts" + }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/common/index_patterns_utils.ts" + }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/get_fields.ts" + }, { "plugin": "uptime", "path": "x-pack/solutions/observability/plugins/uptime/public/legacy_uptime/components/overview/filter_group/filter_group.tsx" @@ -16828,10 +16828,6 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/state_management/datasource.test.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" - }, { "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" @@ -16840,6 +16836,10 @@ "plugin": "graph", "path": "x-pack/plugins/graph/public/services/persistence/deserialize.test.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/lib/search_strategies/strategies/abstract_search_strategy.ts" + }, { "plugin": "dataViewManagement", "path": "src/plugins/data_view_management/public/components/edit_index_pattern/source_filters_table/components/table/table.tsx" diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 6652562c5a484..2b62a469c25fe 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index f63f837f25114..7711df00d99e2 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/dataset_quality.devdocs.json b/api_docs/dataset_quality.devdocs.json index d160859f49a93..10f2fdc7d0552 100644 --- a/api_docs/dataset_quality.devdocs.json +++ b/api_docs/dataset_quality.devdocs.json @@ -14,7 +14,7 @@ "tags": [], "label": "DatasetQualityPluginSetup", "description": [], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -28,7 +28,7 @@ "tags": [], "label": "DatasetQualityPluginStart", "description": [], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -46,7 +46,7 @@ "DatasetQualityProps", ">" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -64,7 +64,7 @@ "DatasetQualityController", ">" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -81,7 +81,7 @@ "DatasetQualityPublicState", "> | undefined; }" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality/create_controller.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality/create_controller.ts", "deprecated": false, "trackAdoption": false } @@ -101,7 +101,7 @@ "DatasetQualityDetailsProps", ">" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -119,7 +119,7 @@ "DatasetQualityDetailsController", ">" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/types.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -136,7 +136,7 @@ "DatasetQualityDetailsPublicStateUpdate", "; }" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/public/controller/dataset_quality_details/create_controller.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/controller/dataset_quality_details/create_controller.ts", "deprecated": false, "trackAdoption": false } @@ -168,7 +168,7 @@ "signature": [ "(dataStreamName: string) => { type: \"profiling\" | \"metrics\" | \"synthetics\" | \"traces\" | \"logs\"; dataset: string; namespace: string; }" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -182,7 +182,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/utils/dataset_name.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/utils/dataset_name.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -200,7 +200,7 @@ "tags": [], "label": "DatasetQualityConfig", "description": [], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/plugin_config.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/plugin_config.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -589,7 +589,7 @@ }, " ? ClientRequestParamsOfType : TRouteParamsRT extends undefined ? {} : never : never" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/rest/create_call_dataset_quality_api.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/rest/create_call_dataset_quality_api.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -968,7 +968,7 @@ }, " | undefined; } | undefined> ? TWrappedResponseType : TReturnType : never" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/rest/create_call_dataset_quality_api.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/rest/create_call_dataset_quality_api.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -991,7 +991,7 @@ }, ", \"body\"> & { pathname: string; method?: string | undefined; body?: any; }" ], - "path": "x-pack/plugins/observability_solution/dataset_quality/common/fetch_options.ts", + "path": "x-pack/platform/plugins/shared/dataset_quality/common/fetch_options.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/dataset_quality.mdx b/api_docs/dataset_quality.mdx index c96b1a883fe0d..2d61ba21d36e1 100644 --- a/api_docs/dataset_quality.mdx +++ b/api_docs/dataset_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/datasetQuality title: "datasetQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the datasetQuality plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'datasetQuality'] --- import datasetQualityObj from './dataset_quality.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index 7d75de5cb0133..152369209e956 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -17,13 +17,13 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Referencing plugin(s) | Remove By | | ---------------|-----------|-----------| | | ml, stackAlerts | - | -| | data, @kbn/search-errors, savedObjectsManagement, unifiedSearch, @kbn/unified-field-list, controls, lens, @kbn/lens-embeddable-utils, triggersActionsUi, dataVisualizer, canvas, fleet, ml, enterpriseSearch, @kbn/ml-data-view-utils, graph, stackAlerts, upgradeAssistant, exploratoryView, visTypeTimeseries, maps, transform, securitySolution, timelines, uptime, ux, dataViewManagement, eventAnnotationListing, inputControlVis, visDefaultEditor, visTypeTimelion, visTypeVega | - | +| | data, @kbn/search-errors, savedObjectsManagement, unifiedSearch, @kbn/unified-field-list, controls, lens, @kbn/lens-embeddable-utils, triggersActionsUi, dataVisualizer, canvas, ml, enterpriseSearch, @kbn/ml-data-view-utils, fleet, graph, stackAlerts, upgradeAssistant, exploratoryView, maps, transform, securitySolution, timelines, visTypeTimeseries, uptime, ux, dataViewManagement, eventAnnotationListing, inputControlVis, visDefaultEditor, visTypeTimelion, visTypeVega | - | | | ml, securitySolution | - | -| | actions, savedObjectsTagging, ml, enterpriseSearch | - | +| | actions, ml, savedObjectsTagging, enterpriseSearch | - | | | @kbn/core-http-router-server-internal, @kbn/core-http-server-internal, @kbn/core-metrics-server-internal, @kbn/core-status-server-internal, @kbn/core-i18n-server-internal, @kbn/core-rendering-server-internal, @kbn/core-capabilities-server-internal, @kbn/core-apps-server-internal, usageCollection, taskManager, security, monitoringCollection, files, banners, telemetry, cloudFullStory, customBranding, enterpriseSearch, securitySolution, @kbn/test-suites-xpack, interactiveSetup, mockIdpPlugin, spaces, ml | - | | | @kbn/core-saved-objects-browser-internal, @kbn/core-saved-objects-browser-mocks, @kbn/core, visualizations, aiops, dataVisualizer, dashboardEnhanced, ml, graph, lens, securitySolution, eventAnnotation | - | -| | @kbn/core, embeddable, savedObjects, visualizations, canvas, graph, ml | - | -| | @kbn/core-saved-objects-base-server-internal, @kbn/core-saved-objects-migration-server-internal, @kbn/core-saved-objects-server-internal, @kbn/core-ui-settings-server-internal, @kbn/core-usage-data-server-internal, taskManager, dataViews, spaces, share, actions, data, alerting, dashboard, @kbn/core-saved-objects-migration-server-mocks, savedSearch, canvas, lens, cases, fleet, ml, graph, maps, apmDataAccess, apm, visualizations, infra, slo, lists, securitySolution, synthetics, uptime, cloudSecurityPosture, eventAnnotation, links, savedObjectsManagement, @kbn/core-test-helpers-so-type-serializer, @kbn/core-saved-objects-api-server-internal | - | +| | @kbn/core, savedObjects, visualizations, canvas, graph, ml | - | +| | @kbn/core-saved-objects-base-server-internal, @kbn/core-saved-objects-migration-server-internal, @kbn/core-saved-objects-server-internal, @kbn/core-ui-settings-server-internal, @kbn/core-usage-data-server-internal, taskManager, dataViews, spaces, share, actions, data, alerting, dashboard, @kbn/core-saved-objects-migration-server-mocks, savedSearch, canvas, lens, cases, ml, fleet, graph, maps, apmDataAccess, apm, lists, securitySolution, visualizations, infra, slo, synthetics, uptime, cloudSecurityPosture, eventAnnotation, links, savedObjectsManagement, @kbn/core-test-helpers-so-type-serializer, @kbn/core-saved-objects-api-server-internal | - | | | stackAlerts, alerting, securitySolution, inputControlVis | - | | | graph, stackAlerts, inputControlVis, securitySolution | - | | | dataVisualizer, stackAlerts, expressionPartitionVis | - | @@ -50,7 +50,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | @kbn/core-saved-objects-api-browser, @kbn/core-saved-objects-browser-internal, @kbn/core-saved-objects-browser-mocks, @kbn/core-saved-objects-api-server-internal, @kbn/core-saved-objects-import-export-server-internal, @kbn/core-saved-objects-server-internal, fleet, graph, alerting, osquery, securitySolution, lists | - | | | @kbn/core-saved-objects-common, @kbn/core-saved-objects-server, @kbn/core, @kbn/alerting-types, alerting, actions, savedSearch, canvas, enterpriseSearch, taskManager, securitySolution, @kbn/core-saved-objects-server-internal, @kbn/core-saved-objects-api-server | - | | | @kbn/core-saved-objects-api-browser, @kbn/core-saved-objects-browser-internal, @kbn/core-saved-objects-api-server, @kbn/core-saved-objects-browser-mocks, @kbn/core, savedObjectsTagging, home, canvas, savedObjectsTaggingOss, upgradeAssistant, securitySolution, lists, savedObjectsManagement, @kbn/core-saved-objects-import-export-server-internal, @kbn/core-ui-settings-server-internal | - | -| | @kbn/core-saved-objects-migration-server-internal, dataViews, actions, data, alerting, dashboard, savedSearch, canvas, lens, cases, savedObjectsTagging, graph, maps, visualizations, lists, securitySolution, @kbn/core-test-helpers-so-type-serializer | - | +| | @kbn/core-saved-objects-migration-server-internal, dataViews, actions, data, alerting, dashboard, savedSearch, canvas, lens, cases, savedObjectsTagging, graph, maps, lists, securitySolution, visualizations, @kbn/core-test-helpers-so-type-serializer | - | | | integrationAssistant, @kbn/ecs-data-quality-dashboard, securitySolution, observabilityAIAssistantApp | - | | | security, cloudLinks, securitySolution, cases | - | | | security, cases, searchPlayground, securitySolution | - | @@ -68,7 +68,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | securitySolution | - | | | @kbn/monaco, securitySolution | - | | | cloudSecurityPosture, securitySolution | - | -| | alerting, observabilityAIAssistant, fleet, serverlessSearch, upgradeAssistant, entityManager, apm, transform, synthetics, cloudSecurityPosture, security | - | +| | alerting, observabilityAIAssistant, fleet, serverlessSearch, upgradeAssistant, entityManager, transform, synthetics, cloudSecurityPosture, security | - | | | actions, alerting | - | | | monitoring | - | | | monitoring, observabilityShared | - | @@ -131,7 +131,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | unifiedSearch | - | | | unifiedSearch | - | | | @kbn/core, lens | - | -| | canvas | - | | | canvas | - | | | canvas | - | | | canvas | - | @@ -170,7 +169,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | reporting | - | | | reporting | - | | | @kbn/reporting-export-types-pdf | - | -| | security, aiops, licenseManagement, ml, logstash, slo, crossClusterReplication, painlessLab, watcher, searchprofiler | 8.8.0 | +| | security, aiops, licenseManagement, ml, logstash, crossClusterReplication, painlessLab, watcher, searchprofiler, slo | 8.8.0 | | | spaces, security, actions, alerting, ml, graph, upgradeAssistant, remoteClusters, indexLifecycleManagement, painlessLab, rollup, snapshotRestore, transform, aiops, osquery, securitySolution, searchprofiler | 8.8.0 | | | fleet, apm, security, securitySolution | 8.8.0 | | | fleet, apm, security, securitySolution | 8.8.0 | @@ -204,8 +203,6 @@ Safe to remove. | | data | | | data | | | embeddable | -| | embeddable | -| | embeddable | | | expressionGauge | | | expressionGauge | | | expressions | diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index bdcf1551df7d3..5e10e5c171e84 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -620,7 +620,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | ---------------|-----------|-----------| | | [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode)+ 2 more | 8.8.0 | | | [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode), [license_check.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/common/license_check.test.ts#:~:text=mode)+ 2 more | 8.8.0 | -| | [index.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/lib/helpers/get_random_sampler/index.ts#:~:text=authc), [get_agent_keys_privileges.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/routes/agent_keys/get_agent_keys_privileges.ts#:~:text=authc), [is_superuser.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/routes/fleet/is_superuser.ts#:~:text=authc), [index.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/lib/helpers/get_random_sampler/index.ts#:~:text=authc), [get_agent_keys_privileges.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/routes/agent_keys/get_agent_keys_privileges.ts#:~:text=authc), [is_superuser.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/routes/fleet/is_superuser.ts#:~:text=authc) | - | | | [apm_service_groups.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/apm/server/saved_objects/apm_service_groups.ts#:~:text=migrations) | - | @@ -654,7 +653,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| | | [datasource_component.js](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/public/components/datasource/datasource_component.js#:~:text=title) | - | -| | [editor_menu.tsx](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx#:~:text=getEmbeddableFactories) | - | | | [index.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/server/demodata/index.ts#:~:text=context), [embeddable.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/external/embeddable.ts#:~:text=context), [escount.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/escount.ts#:~:text=context), [esdocs.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/browser/esdocs.ts#:~:text=context), [filters.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/common/functions/filters.ts#:~:text=context), [neq.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/common/neq.ts#:~:text=context), [index.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/canvas_plugin_src/functions/server/pointseries/index.ts#:~:text=context) | - | | | [setup_expressions.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/public/setup_expressions.ts#:~:text=getFunction) | - | | | [functions.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/server/routes/functions/functions.ts#:~:text=getFunctions), [functions.test.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/canvas/server/routes/functions/functions.test.ts#:~:text=getFunctions) | - | @@ -862,7 +860,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [default_embeddable_factory_provider.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts#:~:text=SavedObjectAttributes), [default_embeddable_factory_provider.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts#:~:text=SavedObjectAttributes), [types.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/public/types.ts#:~:text=SavedObjectAttributes), [types.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/public/types.ts#:~:text=SavedObjectAttributes) | - | | | [migrate_base_input.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/common/lib/migrate_base_input.ts#:~:text=SavedObjectReference), [migrate_base_input.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/common/lib/migrate_base_input.ts#:~:text=SavedObjectReference), [migrate_base_input.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/common/lib/migrate_base_input.ts#:~:text=SavedObjectReference), [inject.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/common/lib/inject.ts#:~:text=SavedObjectReference), [inject.ts](https://github.com/elastic/kibana/tree/main/src/plugins/embeddable/common/lib/inject.ts#:~:text=SavedObjectReference) | - | @@ -892,7 +889,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [enable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts#:~:text=authc), [disable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [enable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts#:~:text=authc), [disable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts#:~:text=authc) | - | +| | [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [uninstall_entity_definition.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/entities/uninstall_entity_definition.ts#:~:text=authc), [enable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts#:~:text=authc), [disable.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [api_key.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/auth/api_key/api_key.ts#:~:text=authc), [uninstall_entity_definition.ts](https://github.com/elastic/kibana/tree/main/x-pack/platform/plugins/shared/entity_manager/server/lib/entities/uninstall_entity_definition.ts#:~:text=authc)+ 2 more | - | @@ -1049,7 +1046,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [saved_object_type.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_type.ts#:~:text=migrations) | - | +| | [saved_object_type.ts](https://github.com/elastic/kibana/tree/main/x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_type.ts#:~:text=migrations) | - | @@ -1266,7 +1263,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Deprecated API | Reference location(s) | Remove By | | ---------------|-----------|-----------| -| | [plugin.ts](https://github.com/elastic/kibana/tree/main/x-pack/plugins/observability_solution/observability_onboarding/server/plugin.ts#:~:text=legacy) | - | +| | [plugin.ts](https://github.com/elastic/kibana/tree/main/x-pack/solutions/observability/plugins/observability_onboarding/server/plugin.ts#:~:text=legacy) | - | diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index 5b317190a7433..2e011173e893d 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 55d01ef6a7e45..fe3c338f854ea 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index 242e1f9358ac7..04ff3c22432c0 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index eac9f4d2cbaa0..61e0cabc3fea7 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/discover_shared.mdx b/api_docs/discover_shared.mdx index e1e1ec7875aa4..dc81663802894 100644 --- a/api_docs/discover_shared.mdx +++ b/api_docs/discover_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverShared title: "discoverShared" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverShared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverShared'] --- import discoverSharedObj from './discover_shared.devdocs.json'; diff --git a/api_docs/ecs_data_quality_dashboard.mdx b/api_docs/ecs_data_quality_dashboard.mdx index dcb709c16ecd2..897fff34634d0 100644 --- a/api_docs/ecs_data_quality_dashboard.mdx +++ b/api_docs/ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ecsDataQualityDashboard title: "ecsDataQualityDashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the ecsDataQualityDashboard plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ecsDataQualityDashboard'] --- import ecsDataQualityDashboardObj from './ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/elastic_assistant.mdx b/api_docs/elastic_assistant.mdx index 255f59b64003d..9b4f786863ede 100644 --- a/api_docs/elastic_assistant.mdx +++ b/api_docs/elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/elasticAssistant title: "elasticAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the elasticAssistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'elasticAssistant'] --- import elasticAssistantObj from './elastic_assistant.devdocs.json'; diff --git a/api_docs/embeddable.devdocs.json b/api_docs/embeddable.devdocs.json index 58af1d117961f..b1ff29181380d 100644 --- a/api_docs/embeddable.devdocs.json +++ b/api_docs/embeddable.devdocs.json @@ -673,73 +673,6 @@ ], "initialIsOpen": false }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactoryNotFoundError", - "type": "Class", - "tags": [], - "label": "EmbeddableFactoryNotFoundError", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactoryNotFoundError", - "text": "EmbeddableFactoryNotFoundError" - }, - " extends Error" - ], - "path": "src/plugins/embeddable/public/lib/errors.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactoryNotFoundError.code", - "type": "string", - "tags": [], - "label": "code", - "description": [], - "path": "src/plugins/embeddable/public/lib/errors.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactoryNotFoundError.Unnamed", - "type": "Function", - "tags": [], - "label": "Constructor", - "description": [], - "signature": [ - "any" - ], - "path": "src/plugins/embeddable/public/lib/errors.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactoryNotFoundError.Unnamed.$1", - "type": "string", - "tags": [], - "label": "type", - "description": [], - "signature": [ - "string" - ], - "path": "src/plugins/embeddable/public/lib/errors.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - } - ], - "initialIsOpen": false - }, { "parentPluginId": "embeddable", "id": "def-public.EmbeddableStateTransfer", @@ -1535,45 +1468,21 @@ "functions": [ { "parentPluginId": "embeddable", - "id": "def-public.defaultEmbeddableFactoryProvider", + "id": "def-public.isContextMenuTriggerContext", "type": "Function", "tags": [], - "label": "defaultEmbeddableFactoryProvider", + "label": "isContextMenuTriggerContext", "description": [], "signature": [ - " context is ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" + "section": "def-public.EmbeddableContext", + "text": "EmbeddableContext" }, - ", E extends ", + "<", { "pluginId": "embeddable", "scope": "public", @@ -1581,70 +1490,39 @@ "section": "def-public.IEmbeddable", "text": "IEmbeddable" }, - " = ", + "<", { "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - ", T extends ", - { - "pluginId": "savedObjectsFinder", "scope": "common", - "docId": "kibSavedObjectsFinderPluginApi", - "section": "def-common.FinderAttributes", - "text": "FinderAttributes" - }, - " = ", - { - "pluginId": "@kbn/core-saved-objects-common", - "scope": "common", - "docId": "kibKbnCoreSavedObjectsCommonPluginApi", - "section": "def-common.SavedObjectAttributes", - "text": "SavedObjectAttributes" - }, - ">(def: ", - { - "pluginId": "embeddable", - "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactoryDefinition", - "text": "EmbeddableFactoryDefinition" + "section": "def-common.EmbeddableInput", + "text": "EmbeddableInput" }, - ") => ", + ", ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" + "section": "def-public.EmbeddableOutput", + "text": "EmbeddableOutput" }, - "" + ", any>>" ], - "path": "src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.defaultEmbeddableFactoryProvider.$1", - "type": "CompoundType", + "id": "def-public.isContextMenuTriggerContext.$1", + "type": "Unknown", "tags": [], - "label": "def", + "label": "context", "description": [], "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactoryDefinition", - "text": "EmbeddableFactoryDefinition" - }, - "" + "unknown" ], - "path": "src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1655,76 +1533,50 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.genericEmbeddableInputIsEqual", + "id": "def-public.isMultiValueClickTriggerContext", "type": "Function", "tags": [], - "label": "genericEmbeddableInputIsEqual", + "label": "isMultiValueClickTriggerContext", "description": [], "signature": [ - "(currentInput: Partial<", + "(context: ", { "pluginId": "embeddable", - "scope": "common", + "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" }, - ">, lastInput: Partial<", + ") => context is ", { "pluginId": "embeddable", - "scope": "common", + "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ">) => boolean" + "section": "def-public.MultiValueClickContext", + "text": "MultiValueClickContext" + } ], - "path": "src/plugins/embeddable/public/lib/embeddables/diff_embeddable_input.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.genericEmbeddableInputIsEqual.$1", - "type": "Object", - "tags": [], - "label": "currentInput", - "description": [], - "signature": [ - "Partial<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ">" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/diff_embeddable_input.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - }, - { - "parentPluginId": "embeddable", - "id": "def-public.genericEmbeddableInputIsEqual.$2", - "type": "Object", + "id": "def-public.isMultiValueClickTriggerContext.$1", + "type": "CompoundType", "tags": [], - "label": "lastInput", + "label": "context", "description": [], "signature": [ - "Partial<", { "pluginId": "embeddable", - "scope": "common", + "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ">" + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" + } ], - "path": "src/plugins/embeddable/public/lib/embeddables/diff_embeddable_input.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1735,45 +1587,28 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.isContextMenuTriggerContext", + "id": "def-public.isRangeSelectTriggerContext", "type": "Function", "tags": [], - "label": "isContextMenuTriggerContext", + "label": "isRangeSelectTriggerContext", "description": [], "signature": [ - "(context: unknown) => context is ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableContext", - "text": "EmbeddableContext" - }, - "<", + "(context: ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - "<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" }, - ", ", + ") => context is ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" - }, - ", any>>" + "section": "def-public.RangeSelectContext", + "text": "RangeSelectContext" + } ], "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, @@ -1781,13 +1616,19 @@ "children": [ { "parentPluginId": "embeddable", - "id": "def-public.isContextMenuTriggerContext.$1", - "type": "Unknown", + "id": "def-public.isRangeSelectTriggerContext.$1", + "type": "CompoundType", "tags": [], "label": "context", "description": [], "signature": [ - "unknown" + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" + } ], "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, @@ -1800,154 +1641,50 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.isEmbeddable", + "id": "def-public.isRowClickTriggerContext", "type": "Function", "tags": [], - "label": "isEmbeddable", + "label": "isRowClickTriggerContext", "description": [], "signature": [ - "(x: unknown) => x is ", + "(context: ", { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" }, - "<", + ") => context is ", { - "pluginId": "embeddable", + "pluginId": "@kbn/ui-actions-browser", "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ", ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" - }, - ", any>" + "docId": "kibKbnUiActionsBrowserPluginApi", + "section": "def-common.RowClickContext", + "text": "RowClickContext" + } ], - "path": "src/plugins/embeddable/public/lib/embeddables/is_embeddable.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.isEmbeddable.$1", - "type": "Unknown", + "id": "def-public.isRowClickTriggerContext.$1", + "type": "CompoundType", "tags": [], - "label": "x", - "description": [], - "signature": [ - "unknown" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/is_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isErrorEmbeddable", - "type": "Function", - "tags": [], - "label": "isErrorEmbeddable", - "description": [], - "signature": [ - "(embeddable: ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ErrorEmbeddable", - "text": "ErrorEmbeddable" - }, - " | TEmbeddable) => boolean" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/is_error_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isErrorEmbeddable.$1", - "type": "CompoundType", - "tags": [], - "label": "embeddable", + "label": "context", "description": [], "signature": [ { "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.ErrorEmbeddable", - "text": "ErrorEmbeddable" - }, - " | TEmbeddable" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/is_error_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isExplicitInputWithAttributes", - "type": "Function", - "tags": [], - "label": "isExplicitInputWithAttributes", - "description": [], - "signature": [ - "(value: Partial<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - "> | ", - "ExplicitInputWithAttributes", - ") => value is ", - "ExplicitInputWithAttributes" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isExplicitInputWithAttributes.$1", - "type": "CompoundType", - "tags": [], - "label": "value", - "description": [], - "signature": [ - "Partial<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - "> | ", - "ExplicitInputWithAttributes" + "section": "def-public.ChartActionContext", + "text": "ChartActionContext" + } ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1958,49 +1695,10 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.isFilterableEmbeddable", - "type": "Function", - "tags": [], - "label": "isFilterableEmbeddable", - "description": [ - "\nEnsure that embeddable supports filtering/querying" - ], - "signature": [ - "(incoming: unknown) => boolean" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isFilterableEmbeddable.$1", - "type": "Unknown", - "tags": [], - "label": "incoming", - "description": [ - "Embeddable that is being tested to check if it is a FilterableEmbeddable" - ], - "signature": [ - "unknown" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [ - "true if the incoming embeddable is a FilterableEmbeddable, false if it is not" - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isMultiValueClickTriggerContext", + "id": "def-public.isValueClickTriggerContext", "type": "Function", "tags": [], - "label": "isMultiValueClickTriggerContext", + "label": "isValueClickTriggerContext", "description": [], "signature": [ "(context: ", @@ -2016,8 +1714,8 @@ "pluginId": "embeddable", "scope": "public", "docId": "kibEmbeddablePluginApi", - "section": "def-public.MultiValueClickContext", - "text": "MultiValueClickContext" + "section": "def-public.ValueClickContext", + "text": "ValueClickContext" } ], "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", @@ -2026,7 +1724,7 @@ "children": [ { "parentPluginId": "embeddable", - "id": "def-public.isMultiValueClickTriggerContext.$1", + "id": "def-public.isValueClickTriggerContext.$1", "type": "CompoundType", "tags": [], "label": "context", @@ -2051,53 +1749,81 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.isRangeSelectTriggerContext", + "id": "def-public.openAddFromLibraryFlyout", "type": "Function", "tags": [], - "label": "isRangeSelectTriggerContext", + "label": "openAddFromLibraryFlyout", "description": [], "signature": [ - "(context: ", + "({ container, onClose, }: { container: ", { - "pluginId": "embeddable", + "pluginId": "@kbn/presentation-containers", "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ChartActionContext", - "text": "ChartActionContext" + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.CanAddNewPanel", + "text": "CanAddNewPanel" }, - ") => context is ", + "; onClose?: (() => void) | undefined; }) => ", { - "pluginId": "embeddable", + "pluginId": "@kbn/core-mount-utils-browser", "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.RangeSelectContext", - "text": "RangeSelectContext" + "docId": "kibKbnCoreMountUtilsBrowserPluginApi", + "section": "def-public.OverlayRef", + "text": "OverlayRef" } ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", + "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.isRangeSelectTriggerContext.$1", - "type": "CompoundType", + "id": "def-public.openAddFromLibraryFlyout.$1", + "type": "Object", "tags": [], - "label": "context", + "label": "{\n container,\n onClose,\n}", "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ChartActionContext", - "text": "ChartActionContext" - } - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", + "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", "deprecated": false, "trackAdoption": false, - "isRequired": true + "children": [ + { + "parentPluginId": "embeddable", + "id": "def-public.openAddFromLibraryFlyout.$1.container", + "type": "Object", + "tags": [], + "label": "container", + "description": [], + "signature": [ + { + "pluginId": "@kbn/presentation-containers", + "scope": "public", + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.CanAddNewPanel", + "text": "CanAddNewPanel" + } + ], + "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", + "deprecated": false, + "trackAdoption": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.openAddFromLibraryFlyout.$1.onClose", + "type": "Function", + "tags": [], + "label": "onClose", + "description": [], + "signature": [ + "(() => void) | undefined" + ], + "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", + "deprecated": false, + "trackAdoption": false, + "children": [], + "returnComment": [] + } + ] } ], "returnComment": [], @@ -2105,1499 +1831,380 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.isReferenceOrValueEmbeddable", + "id": "def-public.ReactEmbeddableRenderer", "type": "Function", "tags": [], - "label": "isReferenceOrValueEmbeddable", - "description": [], - "signature": [ - "(incoming: unknown) => boolean" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isReferenceOrValueEmbeddable.$1", - "type": "Unknown", - "tags": [], - "label": "incoming", - "description": [], - "signature": [ - "unknown" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } + "label": "ReactEmbeddableRenderer", + "description": [ + "\nRenders a component from the React Embeddable registry into a Presentation Panel.\n\nTODO: Rename this to simply `Embeddable` when the legacy Embeddable system is removed." ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isRowClickTriggerContext", - "type": "Function", - "tags": [], - "label": "isRowClickTriggerContext", - "description": [], "signature": [ - "(context: ", + " context is ", + " = ", { - "pluginId": "@kbn/ui-actions-browser", - "scope": "common", - "docId": "kibKbnUiActionsBrowserPluginApi", - "section": "def-common.RowClickContext", - "text": "RowClickContext" - } - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.DefaultEmbeddableApi", + "text": "DefaultEmbeddableApi" + }, + ", ParentApi extends ", { - "parentPluginId": "embeddable", - "id": "def-public.isRowClickTriggerContext.$1", - "type": "CompoundType", - "tags": [], - "label": "context", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ChartActionContext", - "text": "ChartActionContext" - } - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isSavedObjectEmbeddableInput", - "type": "Function", - "tags": [], - "label": "isSavedObjectEmbeddableInput", - "description": [], - "signature": [ - "(input: ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - " | ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.SavedObjectEmbeddableInput", - "text": "SavedObjectEmbeddableInput" - }, - ") => boolean" - ], - "path": "src/plugins/embeddable/common/lib/saved_object_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isSavedObjectEmbeddableInput.$1", - "type": "CompoundType", - "tags": [], - "label": "input", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - " | ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.SavedObjectEmbeddableInput", - "text": "SavedObjectEmbeddableInput" - } - ], - "path": "src/plugins/embeddable/common/lib/saved_object_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.isValueClickTriggerContext", - "type": "Function", - "tags": [], - "label": "isValueClickTriggerContext", - "description": [], - "signature": [ - "(context: ", - { - "pluginId": "embeddable", + "pluginId": "@kbn/presentation-containers", "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ChartActionContext", - "text": "ChartActionContext" + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.HasSerializedChildState", + "text": "HasSerializedChildState" }, - ") => context is ", + " = ", { - "pluginId": "embeddable", + "pluginId": "@kbn/presentation-containers", "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ValueClickContext", - "text": "ValueClickContext" - } - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.isValueClickTriggerContext.$1", - "type": "CompoundType", - "tags": [], - "label": "context", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ChartActionContext", - "text": "ChartActionContext" - } - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.omitGenericEmbeddableInput", - "type": "Function", - "tags": [], - "label": "omitGenericEmbeddableInput", - "description": [], - "signature": [ - " = Partial<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.HasSerializedChildState", + "text": "HasSerializedChildState" }, - ">>(input: I) => Omit>({ type, maybeId, getParentApi, panelProps, onAnyStateChange, onApiAvailable, hidePanelChrome, }: { type: string; maybeId?: string | undefined; getParentApi: () => ParentApi; onApiAvailable?: ((api: Api) => void) | undefined; panelProps?: Pick<", { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" + "pluginId": "presentationPanel", + "scope": "public", + "docId": "kibPresentationPanelPluginApi", + "section": "def-public.PresentationPanelProps", + "text": "PresentationPanelProps" }, - ">" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/diff_embeddable_input.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.omitGenericEmbeddableInput.$1", - "type": "Uncategorized", - "tags": [], - "label": "input", - "description": [], - "signature": [ - "I" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/diff_embeddable_input.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.openAddFromLibraryFlyout", - "type": "Function", - "tags": [], - "label": "openAddFromLibraryFlyout", - "description": [], - "signature": [ - "({ container, onClose, }: { container: ", + ", \"showShadow\" | \"showBorder\" | \"showBadges\" | \"showNotifications\" | \"hideLoader\" | \"hideHeader\" | \"hideInspector\" | \"getActions\" | \"setDragHandles\"> | undefined; hidePanelChrome?: boolean | undefined; onAnyStateChange?: ((state: ", { "pluginId": "@kbn/presentation-containers", "scope": "public", "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.CanAddNewPanel", - "text": "CanAddNewPanel" + "section": "def-public.SerializedPanelState", + "text": "SerializedPanelState" }, - "; onClose?: (() => void) | undefined; }) => ", - { - "pluginId": "@kbn/core-mount-utils-browser", - "scope": "public", - "docId": "kibKbnCoreMountUtilsBrowserPluginApi", - "section": "def-public.OverlayRef", - "text": "OverlayRef" - } + ") => void) | undefined; }) => React.JSX.Element" ], - "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.openAddFromLibraryFlyout.$1", + "id": "def-public.ReactEmbeddableRenderer.$1", "type": "Object", "tags": [], - "label": "{\n container,\n onClose,\n}", + "label": "{\n type,\n maybeId,\n getParentApi,\n panelProps,\n onAnyStateChange,\n onApiAvailable,\n hidePanelChrome,\n}", "description": [], - "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.openAddFromLibraryFlyout.$1.container", - "type": "Object", + "id": "def-public.ReactEmbeddableRenderer.$1.type", + "type": "string", "tags": [], - "label": "container", + "label": "type", "description": [], - "signature": [ - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.CanAddNewPanel", - "text": "CanAddNewPanel" - } - ], - "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false }, { "parentPluginId": "embeddable", - "id": "def-public.openAddFromLibraryFlyout.$1.onClose", - "type": "Function", - "tags": [], - "label": "onClose", - "description": [], - "signature": [ - "(() => void) | undefined" - ], - "path": "src/plugins/embeddable/public/add_from_library/open_add_from_library_flyout.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - } - ] - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer", - "type": "Function", - "tags": [], - "label": "ReactEmbeddableRenderer", - "description": [ - "\nRenders a component from the React Embeddable registry into a Presentation Panel.\n\nTODO: Rename this to simply `Embeddable` when the legacy Embeddable system is removed." - ], - "signature": [ - " = ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.DefaultEmbeddableApi", - "text": "DefaultEmbeddableApi" - }, - ", ParentApi extends ", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.HasSerializedChildState", - "text": "HasSerializedChildState" - }, - " = ", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.HasSerializedChildState", - "text": "HasSerializedChildState" - }, - ">({ type, maybeId, getParentApi, panelProps, onAnyStateChange, onApiAvailable, hidePanelChrome, }: { type: string; maybeId?: string | undefined; getParentApi: () => ParentApi; onApiAvailable?: ((api: Api) => void) | undefined; panelProps?: Pick<", - { - "pluginId": "presentationPanel", - "scope": "public", - "docId": "kibPresentationPanelPluginApi", - "section": "def-public.PresentationPanelProps", - "text": "PresentationPanelProps" - }, - ", \"showShadow\" | \"showBorder\" | \"showBadges\" | \"showNotifications\" | \"hideLoader\" | \"hideHeader\" | \"hideInspector\" | \"getActions\" | \"setDragHandles\"> | undefined; hidePanelChrome?: boolean | undefined; onAnyStateChange?: ((state: ", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.SerializedPanelState", - "text": "SerializedPanelState" - }, - ") => void) | undefined; }) => React.JSX.Element" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1", - "type": "Object", - "tags": [], - "label": "{\n type,\n maybeId,\n getParentApi,\n panelProps,\n onAnyStateChange,\n onApiAvailable,\n hidePanelChrome,\n}", - "description": [], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.type", - "type": "string", - "tags": [], - "label": "type", - "description": [], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.maybeId", - "type": "string", - "tags": [], - "label": "maybeId", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.getParentApi", - "type": "Function", - "tags": [], - "label": "getParentApi", - "description": [], - "signature": [ - "() => ParentApi" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.onApiAvailable", - "type": "Function", - "tags": [], - "label": "onApiAvailable", - "description": [], - "signature": [ - "((api: Api) => void) | undefined" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.onApiAvailable.$1", - "type": "Uncategorized", - "tags": [], - "label": "api", - "description": [], - "signature": [ - "Api" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.panelProps", - "type": "Object", - "tags": [], - "label": "panelProps", - "description": [], - "signature": [ - "Pick<", - { - "pluginId": "presentationPanel", - "scope": "public", - "docId": "kibPresentationPanelPluginApi", - "section": "def-public.PresentationPanelProps", - "text": "PresentationPanelProps" - }, - ", \"showShadow\" | \"showBorder\" | \"showBadges\" | \"showNotifications\" | \"hideLoader\" | \"hideHeader\" | \"hideInspector\" | \"getActions\" | \"setDragHandles\"> | undefined" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.hidePanelChrome", - "type": "CompoundType", - "tags": [], - "label": "hidePanelChrome", - "description": [], - "signature": [ - "boolean | undefined" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.onAnyStateChange", - "type": "Function", - "tags": [], - "label": "onAnyStateChange", - "description": [ - "\nThis `onAnyStateChange` callback allows the parent to keep track of the state of the embeddable\nas it changes. This is **not** expected to change over the lifetime of the component." - ], - "signature": [ - "((state: ", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.SerializedPanelState", - "text": "SerializedPanelState" - }, - ") => void) | undefined" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReactEmbeddableRenderer.$1.onAnyStateChange.$1", - "type": "Object", - "tags": [], - "label": "state", - "description": [], - "signature": [ - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.SerializedPanelState", - "text": "SerializedPanelState" - }, - "" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - } - ] - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations", - "type": "Function", - "tags": [], - "label": "runEmbeddableFactoryMigrations", - "description": [ - "\nA helper function that migrates an Embeddable Input to its latest version. Note that this function\nonly runs the embeddable factory's migrations." - ], - "signature": [ - "(initialInput: { version?: string | undefined; }, factory: { migrations?: ", - { - "pluginId": "kibanaUtils", - "scope": "common", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-common.MigrateFunctionsObject", - "text": "MigrateFunctionsObject" - }, - " | ", - { - "pluginId": "kibanaUtils", - "scope": "common", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-common.GetMigrationFunctionObjectFn", - "text": "GetMigrationFunctionObjectFn" - }, - " | undefined; latestVersion?: string | undefined; }) => { input: ToType; migrationRun: boolean; }" - ], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations.$1", - "type": "Object", - "tags": [], - "label": "initialInput", - "description": [], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations.$1.version", - "type": "string", - "tags": [], - "label": "version", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false - } - ] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations.$2", - "type": "Object", - "tags": [], - "label": "factory", - "description": [], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations.$2.migrations", - "type": "CompoundType", - "tags": [], - "label": "migrations", - "description": [], - "signature": [ - { - "pluginId": "kibanaUtils", - "scope": "common", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-common.MigrateFunctionsObject", - "text": "MigrateFunctionsObject" - }, - " | ", - { - "pluginId": "kibanaUtils", - "scope": "common", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-common.GetMigrationFunctionObjectFn", - "text": "GetMigrationFunctionObjectFn" - }, - " | undefined" - ], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.runEmbeddableFactoryMigrations.$2.latestVersion", - "type": "string", - "tags": [], - "label": "latestVersion", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/factory_migrations/run_factory_migrations.ts", - "deprecated": false, - "trackAdoption": false - } - ] - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.shouldFetch$", - "type": "Function", - "tags": [], - "label": "shouldFetch$", - "description": [], - "signature": [ - "(updated$: ", - "Observable", - ", getInput: () => TFilterableEmbeddableInput) => ", - "Observable", - "" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.shouldFetch$.$1", - "type": "Object", - "tags": [], - "label": "updated$", - "description": [], - "signature": [ - "Observable", - "" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - }, - { - "parentPluginId": "embeddable", - "id": "def-public.shouldFetch$.$2", - "type": "Function", - "tags": [], - "label": "getInput", - "description": [], - "signature": [ - "() => TFilterableEmbeddableInput" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.useAddFromLibraryTypes", - "type": "Function", - "tags": [], - "label": "useAddFromLibraryTypes", - "description": [], - "signature": [ - "() => ", - { - "pluginId": "savedObjectsFinder", - "scope": "public", - "docId": "kibSavedObjectsFinderPluginApi", - "section": "def-public.SavedObjectMetaData", - "text": "SavedObjectMetaData" - }, - "<", - { - "pluginId": "savedObjectsFinder", - "scope": "common", - "docId": "kibSavedObjectsFinderPluginApi", - "section": "def-common.FinderAttributes", - "text": "FinderAttributes" - }, - ">[]" - ], - "path": "src/plugins/embeddable/public/add_from_library/registry.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.withEmbeddableSubscription", - "type": "Function", - "tags": [], - "label": "withEmbeddableSubscription", - "description": [], - "signature": [ - " = ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - ", ExtraProps = {}>(WrappedComponent: React.ComponentType<{ input: I; output: O; embeddable: E; } & ExtraProps>) => React.ComponentType<{ embeddable: E; } & ExtraProps>" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/with_subscription.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.withEmbeddableSubscription.$1", - "type": "CompoundType", - "tags": [], - "label": "WrappedComponent", - "description": [], - "signature": [ - "React.ComponentType<{ input: I; output: O; embeddable: E; } & ExtraProps>" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/with_subscription.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [], - "initialIsOpen": false - } - ], - "interfaces": [ - { - "parentPluginId": "embeddable", - "id": "def-public.DefaultEmbeddableApi", - "type": "Interface", - "tags": [], - "label": "DefaultEmbeddableApi", - "description": [ - "\nThe default embeddable API that all Embeddables must implement.\n\nBefore adding anything to this interface, please be certain that it belongs in *every* embeddable." - ], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.DefaultEmbeddableApi", - "text": "DefaultEmbeddableApi" - }, - " extends ", - "DefaultPresentationPanelApi", - ",", - { - "pluginId": "@kbn/presentation-publishing", - "scope": "public", - "docId": "kibKbnPresentationPublishingPluginApi", - "section": "def-public.HasType", - "text": "HasType" - }, - ",", - { - "pluginId": "@kbn/presentation-publishing", - "scope": "public", - "docId": "kibKbnPresentationPublishingPluginApi", - "section": "def-public.PublishesPhaseEvents", - "text": "PublishesPhaseEvents" - }, - ",Partial<", - { - "pluginId": "@kbn/presentation-publishing", - "scope": "public", - "docId": "kibKbnPresentationPublishingPluginApi", - "section": "def-public.PublishesUnsavedChanges", - "text": "PublishesUnsavedChanges" - }, - ">,", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.HasSerializableState", - "text": "HasSerializableState" - }, - ",", - { - "pluginId": "@kbn/presentation-containers", - "scope": "public", - "docId": "kibKbnPresentationContainersPluginApi", - "section": "def-public.HasSnapshottableState", - "text": "HasSnapshottableState" - }, - "" - ], - "path": "src/plugins/embeddable/public/react_embeddable_system/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableContext", - "type": "Interface", - "tags": [ - "deprecated" - ], - "label": "EmbeddableContext", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableContext", - "text": "EmbeddableContext" - }, - "" - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": true, - "trackAdoption": false, - "references": [], - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableContext.embeddable", - "type": "Uncategorized", - "tags": [], - "label": "embeddable", - "description": [], - "signature": [ - "T" - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState", - "type": "Interface", - "tags": [], - "label": "EmbeddableEditorState", - "description": [ - "\nA state package that contains information an editor will need to create or edit an embeddable then redirect back." - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState.originatingApp", - "type": "string", - "tags": [], - "label": "originatingApp", - "description": [], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState.originatingPath", - "type": "string", - "tags": [], - "label": "originatingPath", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState.embeddableId", - "type": "string", - "tags": [], - "label": "embeddableId", - "description": [], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState.valueInput", - "type": "Uncategorized", - "tags": [], - "label": "valueInput", - "description": [], - "signature": [ - "object | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableEditorState.searchSessionId", - "type": "string", - "tags": [], - "label": "searchSessionId", - "description": [ - "\nPass current search session id when navigating to an editor,\nEditors could use it continue previous search session" - ], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory", - "type": "Interface", - "tags": [], - "label": "EmbeddableFactory", - "description": [ - "\nEmbeddableFactories create and initialize an embeddable instance" - ], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" - }, - " extends ", - { - "pluginId": "kibanaUtils", - "scope": "common", - "docId": "kibKibanaUtilsPluginApi", - "section": "def-common.PersistableState", - "text": "PersistableState" - }, - "<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableStateWithType", - "text": "EmbeddableStateWithType" - }, - ">" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.latestVersion", - "type": "string", - "tags": [], - "label": "latestVersion", - "description": [ - "\nThe version of this Embeddable factory. This will be used in the client side migration system\nto ensure that input from any source is compatible with the latest version of this embeddable.\nIf the latest version is not defined, all clientside migrations will be skipped. If migrations\nare added to this factory but a latestVersion is not set, an error will be thrown on server start" - ], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.type", - "type": "string", - "tags": [], - "label": "type", - "description": [], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.isEditable", - "type": "Function", - "tags": [], - "label": "isEditable", - "description": [ - "\nReturns whether the current user should be allowed to edit this type of\nembeddable. Most of the time this should be based off the capabilities service, hence it's async." - ], - "signature": [ - "() => Promise" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.savedObjectMetaData", - "type": "Object", - "tags": [], - "label": "savedObjectMetaData", - "description": [], - "signature": [ - { - "pluginId": "savedObjectsFinder", - "scope": "public", - "docId": "kibSavedObjectsFinderPluginApi", - "section": "def-public.SavedObjectMetaData", - "text": "SavedObjectMetaData" - }, - " | undefined" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.grouping", - "type": "Array", - "tags": [], - "label": "grouping", - "description": [ - "\nIndicates the grouping this factory should appear in a sub-menu. Example, this is used for grouping\noptions in the editors menu in Dashboard for creating new embeddables" - ], - "signature": [ - { - "pluginId": "@kbn/ui-actions-browser", - "scope": "common", - "docId": "kibKbnUiActionsBrowserPluginApi", - "section": "def-common.PresentableGrouping", - "text": "PresentableGrouping" - }, - " | undefined" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.isContainerType", - "type": "boolean", - "tags": [], - "label": "isContainerType", - "description": [ - "\nTrue if is this factory create embeddables that are Containers. Used in the add panel to\nconditionally show whether these can be added to another container. It's just not\nsupported right now, but once nested containers are officially supported we can probably get\nrid of this interface." - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getDisplayName", - "type": "Function", - "tags": [], - "label": "getDisplayName", - "description": [ - "\nReturns a display name for this type of embeddable. Used in \"Create new... \" options\nin the add panel for containers." - ], - "signature": [ - "() => string" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getIconType", - "type": "Function", - "tags": [], - "label": "getIconType", - "description": [ - "\nReturns an EUI Icon type to be displayed in a menu." - ], - "signature": [ - "() => string" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getDescription", - "type": "Function", - "tags": [], - "label": "getDescription", - "description": [ - "\nReturns a description about the embeddable." - ], - "signature": [ - "() => string" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.canCreateNew", - "type": "Function", - "tags": [], - "label": "canCreateNew", - "description": [ - "\nIf false, this type of embeddable can't be created with the \"createNew\" functionality. Instead,\nuse createFromSavedObject, where an existing saved object must first exist." - ], - "signature": [ - "() => boolean" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getDefaultInput", - "type": "Function", - "tags": [], - "label": "getDefaultInput", - "description": [ - "\nCan be used to get the default input, to be passed in to during the creation process. Default\ninput will not be stored in a parent container, so all inherited input from a container will trump\ndefault input parameters." - ], - "signature": [ - "(partial: Partial) => Partial" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getDefaultInput.$1", - "type": "Object", - "tags": [], - "label": "partial", - "description": [], - "signature": [ - "Partial" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getExplicitInput", - "type": "Function", - "tags": [], - "label": "getExplicitInput", - "description": [ - "\nCan be used to request explicit input from the user, to be passed in to `EmbeddableFactory:create`.\nExplicit input is stored on the parent container for this embeddable. It overrides all inherited\ninput passed down from the parent container.\n\nCan be used to edit an embeddable by re-requesting explicit input. Initial input can be provided to allow the editor to show the current state.\n\nIf saved object information is needed for creation use-cases, getExplicitInput can also return an unknown typed attributes object which will be passed\ninto the container's addNewEmbeddable function." - ], - "signature": [ - "(initialInput?: Partial | undefined, parent?: unknown) => Promise<", - "ExplicitInputWithAttributes", - " | Partial>" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getExplicitInput.$1", - "type": "Object", - "tags": [], - "label": "initialInput", - "description": [], - "signature": [ - "Partial | undefined" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.getExplicitInput.$2", - "type": "Unknown", + "id": "def-public.ReactEmbeddableRenderer.$1.maybeId", + "type": "string", "tags": [], - "label": "parent", + "label": "maybeId", "description": [], "signature": [ - "unknown" + "string | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.createFromSavedObject", - "type": "Function", - "tags": [], - "label": "createFromSavedObject", - "description": [ - "\nCreates a new embeddable instance based off the saved object id." - ], - "signature": [ - "(savedObjectId: string, input: Partial, parent?: unknown) => Promise<", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ErrorEmbeddable", - "text": "ErrorEmbeddable" + "trackAdoption": false }, - " | TEmbeddable>" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.createFromSavedObject.$1", - "type": "string", + "id": "def-public.ReactEmbeddableRenderer.$1.getParentApi", + "type": "Function", "tags": [], - "label": "savedObjectId", + "label": "getParentApi", "description": [], "signature": [ - "string" + "() => ParentApi" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false, - "isRequired": true + "children": [], + "returnComment": [] }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.createFromSavedObject.$2", - "type": "Object", + "id": "def-public.ReactEmbeddableRenderer.$1.onApiAvailable", + "type": "Function", "tags": [], - "label": "input", - "description": [ - "- some input may come from a parent, or user, if it's not stored with the saved object. For example, the time\nrange of the parent container." - ], + "label": "onApiAvailable", + "description": [], "signature": [ - "Partial" + "((api: Api) => void) | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false, - "isRequired": true + "children": [ + { + "parentPluginId": "embeddable", + "id": "def-public.ReactEmbeddableRenderer.$1.onApiAvailable.$1", + "type": "Uncategorized", + "tags": [], + "label": "api", + "description": [], + "signature": [ + "Api" + ], + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.createFromSavedObject.$3", - "type": "Unknown", + "id": "def-public.ReactEmbeddableRenderer.$1.panelProps", + "type": "Object", "tags": [], - "label": "parent", + "label": "panelProps", "description": [], "signature": [ - "unknown" + "Pick<", + { + "pluginId": "presentationPanel", + "scope": "public", + "docId": "kibPresentationPanelPluginApi", + "section": "def-public.PresentationPanelProps", + "text": "PresentationPanelProps" + }, + ", \"showShadow\" | \"showBorder\" | \"showBadges\" | \"showNotifications\" | \"hideLoader\" | \"hideHeader\" | \"hideInspector\" | \"getActions\" | \"setDragHandles\"> | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.create", - "type": "Function", - "tags": [], - "label": "create", - "description": [ - "\nCreates an Embeddable instance, running the inital input through all registered migrations. Resolves to undefined if a new Embeddable\ncannot be directly created and the user will instead be redirected elsewhere." - ], - "signature": [ - "(initialInput: TEmbeddableInput, parent?: unknown) => Promise<", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ErrorEmbeddable", - "text": "ErrorEmbeddable" + "trackAdoption": false }, - " | TEmbeddable | undefined>" - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.create.$1", - "type": "Uncategorized", + "id": "def-public.ReactEmbeddableRenderer.$1.hidePanelChrome", + "type": "CompoundType", "tags": [], - "label": "initialInput", + "label": "hidePanelChrome", "description": [], "signature": [ - "TEmbeddableInput" + "boolean | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, - "trackAdoption": false, - "isRequired": true + "trackAdoption": false }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.create.$2", - "type": "Unknown", + "id": "def-public.ReactEmbeddableRenderer.$1.onAnyStateChange", + "type": "Function", "tags": [], - "label": "parent", - "description": [], + "label": "onAnyStateChange", + "description": [ + "\nThis `onAnyStateChange` callback allows the parent to keep track of the state of the embeddable\nas it changes. This is **not** expected to change over the lifetime of the component." + ], "signature": [ - "unknown" + "((state: ", + { + "pluginId": "@kbn/presentation-containers", + "scope": "public", + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.SerializedPanelState", + "text": "SerializedPanelState" + }, + ") => void) | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", "deprecated": false, "trackAdoption": false, - "isRequired": true + "children": [ + { + "parentPluginId": "embeddable", + "id": "def-public.ReactEmbeddableRenderer.$1.onAnyStateChange.$1", + "type": "Object", + "tags": [], + "label": "state", + "description": [], + "signature": [ + { + "pluginId": "@kbn/presentation-containers", + "scope": "public", + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.SerializedPanelState", + "text": "SerializedPanelState" + }, + "" + ], + "path": "src/plugins/embeddable/public/react_embeddable_system/react_embeddable_renderer.tsx", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [] } - ], - "returnComment": [] + ] + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.useAddFromLibraryTypes", + "type": "Function", + "tags": [], + "label": "useAddFromLibraryTypes", + "description": [], + "signature": [ + "() => ", + { + "pluginId": "savedObjectsFinder", + "scope": "public", + "docId": "kibSavedObjectsFinderPluginApi", + "section": "def-public.SavedObjectMetaData", + "text": "SavedObjectMetaData" + }, + "<", + { + "pluginId": "savedObjectsFinder", + "scope": "common", + "docId": "kibSavedObjectsFinderPluginApi", + "section": "def-common.FinderAttributes", + "text": "FinderAttributes" + }, + ">[]" + ], + "path": "src/plugins/embeddable/public/add_from_library/registry.ts", + "deprecated": false, + "trackAdoption": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [ + { + "parentPluginId": "embeddable", + "id": "def-public.DefaultEmbeddableApi", + "type": "Interface", + "tags": [], + "label": "DefaultEmbeddableApi", + "description": [ + "\nThe default embeddable API that all Embeddables must implement.\n\nBefore adding anything to this interface, please be certain that it belongs in *every* embeddable." + ], + "signature": [ + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.DefaultEmbeddableApi", + "text": "DefaultEmbeddableApi" + }, + " extends ", + "DefaultPresentationPanelApi", + ",", + { + "pluginId": "@kbn/presentation-publishing", + "scope": "public", + "docId": "kibKbnPresentationPublishingPluginApi", + "section": "def-public.HasType", + "text": "HasType" + }, + ",", + { + "pluginId": "@kbn/presentation-publishing", + "scope": "public", + "docId": "kibKbnPresentationPublishingPluginApi", + "section": "def-public.PublishesPhaseEvents", + "text": "PublishesPhaseEvents" + }, + ",Partial<", + { + "pluginId": "@kbn/presentation-publishing", + "scope": "public", + "docId": "kibKbnPresentationPublishingPluginApi", + "section": "def-public.PublishesUnsavedChanges", + "text": "PublishesUnsavedChanges" + }, + ">,", + { + "pluginId": "@kbn/presentation-containers", + "scope": "public", + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.HasSerializableState", + "text": "HasSerializableState" + }, + ",", + { + "pluginId": "@kbn/presentation-containers", + "scope": "public", + "docId": "kibKbnPresentationContainersPluginApi", + "section": "def-public.HasSnapshottableState", + "text": "HasSnapshottableState" + }, + "" + ], + "path": "src/plugins/embeddable/public/react_embeddable_system/types.ts", + "deprecated": false, + "trackAdoption": false, + "children": [], + "initialIsOpen": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableContext", + "type": "Interface", + "tags": [ + "deprecated" + ], + "label": "EmbeddableContext", + "description": [], + "signature": [ + { + "pluginId": "embeddable", + "scope": "public", + "docId": "kibEmbeddablePluginApi", + "section": "def-public.EmbeddableContext", + "text": "EmbeddableContext" }, + "" + ], + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", + "deprecated": true, + "trackAdoption": false, + "references": [], + "children": [ { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactory.order", - "type": "number", + "id": "def-public.EmbeddableContext.embeddable", + "type": "Uncategorized", "tags": [], - "label": "order", + "label": "embeddable", "description": [], "signature": [ - "number | undefined" + "T" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false } @@ -3606,37 +2213,83 @@ }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableInstanceConfiguration", + "id": "def-public.EmbeddableEditorState", "type": "Interface", "tags": [], - "label": "EmbeddableInstanceConfiguration", - "description": [], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "label": "EmbeddableEditorState", + "description": [ + "\nA state package that contains information an editor will need to create or edit an embeddable then redirect back." + ], + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", "deprecated": false, "trackAdoption": false, "children": [ { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableInstanceConfiguration.id", + "id": "def-public.EmbeddableEditorState.originatingApp", "type": "string", "tags": [], - "label": "id", + "label": "originatingApp", "description": [], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", "deprecated": false, "trackAdoption": false }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableInstanceConfiguration.savedObjectId", + "id": "def-public.EmbeddableEditorState.originatingPath", "type": "string", "tags": [], - "label": "savedObjectId", + "label": "originatingPath", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", + "deprecated": false, + "trackAdoption": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableEditorState.embeddableId", + "type": "string", + "tags": [], + "label": "embeddableId", + "description": [], + "signature": [ + "string | undefined" + ], + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", + "deprecated": false, + "trackAdoption": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableEditorState.valueInput", + "type": "Uncategorized", + "tags": [], + "label": "valueInput", "description": [], + "signature": [ + "object | undefined" + ], + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", + "deprecated": false, + "trackAdoption": false + }, + { + "parentPluginId": "embeddable", + "id": "def-public.EmbeddableEditorState.searchSessionId", + "type": "string", + "tags": [], + "label": "searchSessionId", + "description": [ + "\nPass current search session id when navigating to an editor,\nEditors could use it continue previous search session" + ], "signature": [ "string | undefined" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", "deprecated": false, "trackAdoption": false } @@ -3922,288 +2575,25 @@ "label": "size", "description": [], "signature": [ - "{ width?: number | undefined; height?: number | undefined; } | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddablePackageState.searchSessionId", - "type": "string", - "tags": [], - "label": "searchSessionId", - "description": [ - "\nPass current search session id when navigating to an editor,\nEditors could use it continue previous search session" - ], - "signature": [ - "string | undefined" - ], - "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableSetupDependencies", - "type": "Interface", - "tags": [], - "label": "EmbeddableSetupDependencies", - "description": [], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableSetupDependencies.uiActions", - "type": "Object", - "tags": [], - "label": "uiActions", - "description": [], - "signature": [ - "{ readonly registerTrigger: (trigger: ", - { - "pluginId": "@kbn/ui-actions-browser", - "scope": "common", - "docId": "kibKbnUiActionsBrowserPluginApi", - "section": "def-common.Trigger", - "text": "Trigger" - }, - ") => void; readonly registerAction: (definition: ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.ActionDefinition", - "text": "ActionDefinition" - }, - ") => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.Action", - "text": "Action" - }, - "; readonly unregisterAction: (actionId: string) => void; readonly attachAction: (triggerId: string, actionId: string) => void; readonly detachAction: (triggerId: string, actionId: string) => void; readonly addTriggerAction: (triggerId: string, action: ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.ActionDefinition", - "text": "ActionDefinition" - }, - ") => void; }" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies", - "type": "Interface", - "tags": [], - "label": "EmbeddableStartDependencies", - "description": [], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.uiActions", - "type": "Object", - "tags": [], - "label": "uiActions", - "description": [], - "signature": [ - "{ readonly registerTrigger: (trigger: ", - { - "pluginId": "@kbn/ui-actions-browser", - "scope": "common", - "docId": "kibKbnUiActionsBrowserPluginApi", - "section": "def-common.Trigger", - "text": "Trigger" - }, - ") => void; readonly hasTrigger: (triggerId: string) => boolean; readonly getTrigger: (triggerId: string) => ", - "TriggerContract", - "; readonly registerAction: (definition: ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.ActionDefinition", - "text": "ActionDefinition" - }, - ") => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.Action", - "text": "Action" - }, - "; readonly unregisterAction: (actionId: string) => void; readonly hasAction: (actionId: string) => boolean; readonly attachAction: (triggerId: string, actionId: string) => void; readonly detachAction: (triggerId: string, actionId: string) => void; readonly addTriggerAction: (triggerId: string, action: ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.ActionDefinition", - "text": "ActionDefinition" - }, - ") => void; readonly getAction: (id: string) => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.Action", - "text": "Action" - }, - "; readonly getTriggerActions: (triggerId: string) => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.Action", - "text": "Action" - }, - "[]; readonly getTriggerCompatibleActions: (triggerId: string, context: object) => Promise<", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.Action", - "text": "Action" - }, - "[]>; readonly getFrequentlyChangingActionsForTrigger: (triggerId: string, context: object) => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.FrequentCompatibilityChangeAction", - "text": "FrequentCompatibilityChangeAction" - }, - "[]; readonly executeTriggerActions: (triggerId: string, context: object) => Promise; readonly clear: () => void; readonly fork: () => ", - { - "pluginId": "uiActions", - "scope": "public", - "docId": "kibUiActionsPluginApi", - "section": "def-public.UiActionsService", - "text": "UiActionsService" - }, - "; }" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.inspector", - "type": "Object", - "tags": [], - "label": "inspector", - "description": [], - "signature": [ - { - "pluginId": "inspector", - "scope": "public", - "docId": "kibInspectorPluginApi", - "section": "def-public.Start", - "text": "Start" - } - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.usageCollection", - "type": "Object", - "tags": [], - "label": "usageCollection", - "description": [], - "signature": [ - { - "pluginId": "usageCollection", - "scope": "public", - "docId": "kibUsageCollectionPluginApi", - "section": "def-public.UsageCollectionStart", - "text": "UsageCollectionStart" - } - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.contentManagement", - "type": "Object", - "tags": [], - "label": "contentManagement", - "description": [], - "signature": [ - { - "pluginId": "contentManagement", - "scope": "public", - "docId": "kibContentManagementPluginApi", - "section": "def-public.ContentManagementPublicStart", - "text": "ContentManagementPublicStart" - } - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.savedObjectsManagement", - "type": "Object", - "tags": [], - "label": "savedObjectsManagement", - "description": [], - "signature": [ - { - "pluginId": "savedObjectsManagement", - "scope": "public", - "docId": "kibSavedObjectsManagementPluginApi", - "section": "def-public.SavedObjectsManagementPluginStart", - "text": "SavedObjectsManagementPluginStart" - } + "{ width?: number | undefined; height?: number | undefined; } | undefined" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", "deprecated": false, "trackAdoption": false }, { "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStartDependencies.savedObjectsTaggingOss", - "type": "Object", + "id": "def-public.EmbeddablePackageState.searchSessionId", + "type": "string", "tags": [], - "label": "savedObjectsTaggingOss", - "description": [], + "label": "searchSessionId", + "description": [ + "\nPass current search session id when navigating to an editor,\nEditors could use it continue previous search session" + ], "signature": [ - { - "pluginId": "savedObjectsTaggingOss", - "scope": "public", - "docId": "kibSavedObjectsTaggingOssPluginApi", - "section": "def-public.SavedObjectTaggingOssPluginStart", - "text": "SavedObjectTaggingOssPluginStart" - }, - " | undefined" + "string | undefined" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/lib/state_transfer/types.ts", "deprecated": false, "trackAdoption": false } @@ -4235,7 +2625,7 @@ }, "

>" ], - "path": "src/plugins/embeddable/public/types.ts", + "path": "src/plugins/embeddable/public/enhancements/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4246,89 +2636,13 @@ "tags": [], "label": "id", "description": [], - "path": "src/plugins/embeddable/public/types.ts", + "path": "src/plugins/embeddable/public/enhancements/types.ts", "deprecated": false, "trackAdoption": false } ], "initialIsOpen": false }, - { - "parentPluginId": "embeddable", - "id": "def-public.FilterableEmbeddable", - "type": "Interface", - "tags": [], - "label": "FilterableEmbeddable", - "description": [ - "\nAll embeddables that implement this interface should support being filtered\nand/or queried via the top navigation bar." - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.FilterableEmbeddable.getFilters", - "type": "Function", - "tags": [], - "label": "getFilters", - "description": [ - "\nGets the embeddable's local filters" - ], - "signature": [ - "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Filter", - "text": "Filter" - }, - "[]" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.FilterableEmbeddable.getQuery", - "type": "Function", - "tags": [], - "label": "getQuery", - "description": [ - "\nGets the embeddable's local query" - ], - "signature": [ - "() => ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.Query", - "text": "Query" - }, - " | ", - { - "pluginId": "@kbn/es-query", - "scope": "common", - "docId": "kibKbnEsQueryPluginApi", - "section": "def-common.AggregateQuery", - "text": "AggregateQuery" - }, - " | undefined" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - } - ], - "initialIsOpen": false - }, { "parentPluginId": "embeddable", "id": "def-public.IEmbeddable", @@ -4909,41 +3223,6 @@ ], "initialIsOpen": false }, - { - "parentPluginId": "embeddable", - "id": "def-public.OutputSpec", - "type": "Interface", - "tags": [], - "label": "OutputSpec", - "description": [], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.OutputSpec.Unnamed", - "type": "IndexSignature", - "tags": [], - "label": "[key: string]: PropertySpec", - "description": [], - "signature": [ - "[key: string]: ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.PropertySpec", - "text": "PropertySpec" - } - ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory.ts", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, { "parentPluginId": "embeddable", "id": "def-public.PropertySpec", @@ -5260,179 +3539,6 @@ } ], "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReferenceOrValueEmbeddable", - "type": "Interface", - "tags": [], - "label": "ReferenceOrValueEmbeddable", - "description": [ - "\nAll embeddables that implement this interface will be able to use input that is\neither by reference (backed by a saved object) OR by value, (provided\nby the container)." - ], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ReferenceOrValueEmbeddable", - "text": "ReferenceOrValueEmbeddable" - }, - "" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReferenceOrValueEmbeddable.inputIsRefType", - "type": "Function", - "tags": [], - "label": "inputIsRefType", - "description": [ - "\ndetermines whether the input is by value or by reference." - ], - "signature": [ - "(input: ValTypeInput | RefTypeInput) => input is RefTypeInput" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.ReferenceOrValueEmbeddable.inputIsRefType.$1", - "type": "CompoundType", - "tags": [], - "label": "input", - "description": [], - "signature": [ - "ValTypeInput | RefTypeInput" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReferenceOrValueEmbeddable.getInputAsValueType", - "type": "Function", - "tags": [], - "label": "getInputAsValueType", - "description": [ - "\nGets the embeddable's current input as its Value type" - ], - "signature": [ - "() => Promise" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.ReferenceOrValueEmbeddable.getInputAsRefType", - "type": "Function", - "tags": [], - "label": "getInputAsRefType", - "description": [ - "\nGets the embeddable's current input as its Reference type" - ], - "signature": [ - "() => Promise" - ], - "path": "src/plugins/embeddable/public/lib/reference_or_value_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.SavedObjectEmbeddableInput", - "type": "Interface", - "tags": [], - "label": "SavedObjectEmbeddableInput", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.SavedObjectEmbeddableInput", - "text": "SavedObjectEmbeddableInput" - }, - " extends ", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - } - ], - "path": "src/plugins/embeddable/common/lib/saved_object_embeddable.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.SavedObjectEmbeddableInput.savedObjectId", - "type": "string", - "tags": [], - "label": "savedObjectId", - "description": [], - "path": "src/plugins/embeddable/common/lib/saved_object_embeddable.ts", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.SelfStyledEmbeddable", - "type": "Interface", - "tags": [], - "label": "SelfStyledEmbeddable", - "description": [ - "\nAll embeddables that implement this interface will be able to configure\nthe style of their containing panels" - ], - "path": "src/plugins/embeddable/public/lib/self_styled_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.SelfStyledEmbeddable.getSelfStyledOptions", - "type": "Function", - "tags": [], - "label": "getSelfStyledOptions", - "description": [ - "\nGets the embeddable's style configuration" - ], - "signature": [ - "() => ", - "SelfStyledOptions" - ], - "path": "src/plugins/embeddable/public/lib/self_styled_embeddable/types.ts", - "deprecated": false, - "trackAdoption": false, - "children": [], - "returnComment": [] - } - ], - "initialIsOpen": false } ], "enums": [ @@ -5545,44 +3651,13 @@ "parentPluginId": "embeddable", "id": "def-public.CONTEXT_MENU_TRIGGER", "type": "string", - "tags": [], - "label": "CONTEXT_MENU_TRIGGER", - "description": [], - "signature": [ - "\"CONTEXT_MENU_TRIGGER\"" - ], - "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", - "deprecated": false, - "trackAdoption": false, - "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableFactoryDefinition", - "type": "Type", - "tags": [], - "label": "EmbeddableFactoryDefinition", - "description": [], - "signature": [ - "Pick<", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" - }, - ", \"type\" | \"create\" | \"getDisplayName\" | \"latestVersion\" | \"isEditable\"> & Partial, \"telemetry\" | \"inject\" | \"extract\" | \"migrations\" | \"getIconType\" | \"grouping\" | \"createFromSavedObject\" | \"isContainerType\" | \"getExplicitInput\" | \"savedObjectMetaData\" | \"canCreateNew\" | \"getDefaultInput\" | \"getDescription\">>" + "tags": [], + "label": "CONTEXT_MENU_TRIGGER", + "description": [], + "signature": [ + "\"CONTEXT_MENU_TRIGGER\"" ], - "path": "src/plugins/embeddable/public/lib/embeddables/embeddable_factory_definition.ts", + "path": "src/plugins/embeddable/public/lib/triggers/triggers.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6236,47 +4311,6 @@ } ], "initialIsOpen": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.shouldRefreshFilterCompareOptions", - "type": "Object", - "tags": [], - "label": "shouldRefreshFilterCompareOptions", - "description": [], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false, - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.shouldRefreshFilterCompareOptions.Unnamed", - "type": "Any", - "tags": [], - "label": "Unnamed", - "description": [], - "signature": [ - "any" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false - }, - { - "parentPluginId": "embeddable", - "id": "def-public.shouldRefreshFilterCompareOptions.state", - "type": "boolean", - "tags": [], - "label": "state", - "description": [ - "// do not compare $state to avoid refreshing when filter is pinned/unpinned (which does not impact results)" - ], - "path": "src/plugins/embeddable/public/lib/filterable_embeddable/should_fetch.tsx", - "deprecated": false, - "trackAdoption": false - } - ], - "initialIsOpen": false } ], "setup": { @@ -6286,7 +4320,7 @@ "tags": [], "label": "EmbeddableSetup", "description": [], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6360,7 +4394,7 @@ }, ") => string) | undefined; }) => void" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -6467,7 +4501,7 @@ }, ">) => void" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -6509,135 +4543,6 @@ } ] }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableSetup.registerEmbeddableFactory", - "type": "Function", - "tags": [ - "deprecated" - ], - "label": "registerEmbeddableFactory", - "description": [], - "signature": [ - " = ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - ">(id: string, factory: ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactoryDefinition", - "text": "EmbeddableFactoryDefinition" - }, - ") => () => ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" - }, - "" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": true, - "trackAdoption": false, - "references": [], - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableSetup.registerEmbeddableFactory.$1", - "type": "string", - "tags": [], - "label": "id", - "description": [], - "signature": [ - "string" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableSetup.registerEmbeddableFactory.$2", - "type": "CompoundType", - "tags": [], - "label": "factory", - "description": [], - "signature": [ - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactoryDefinition", - "text": "EmbeddableFactoryDefinition" - }, - "" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, { "parentPluginId": "embeddable", "id": "def-public.EmbeddableSetup.registerEnhancement", @@ -6666,7 +4571,7 @@ }, ">) => void" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": true, "trackAdoption": false, "references": [ @@ -6701,7 +4606,7 @@ }, ">" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -6746,189 +4651,10 @@ }, ">" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStart.getEmbeddableFactory", - "type": "Function", - "tags": [ - "deprecated" - ], - "label": "getEmbeddableFactory", - "description": [], - "signature": [ - " = ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - ">(embeddableFactoryId: string) => ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" - }, - " | undefined" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": true, - "trackAdoption": false, - "references": [], - "children": [ - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStart.getEmbeddableFactory.$1", - "type": "string", - "tags": [], - "label": "embeddableFactoryId", - "description": [], - "signature": [ - "string" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": false, - "trackAdoption": false, - "isRequired": true - } - ], - "returnComment": [] - }, - { - "parentPluginId": "embeddable", - "id": "def-public.EmbeddableStart.getEmbeddableFactories", - "type": "Function", - "tags": [ - "deprecated" - ], - "label": "getEmbeddableFactories", - "description": [], - "signature": [ - "() => IterableIterator<", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableFactory", - "text": "EmbeddableFactory" - }, - "<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ", ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" - }, - ", ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.IEmbeddable", - "text": "IEmbeddable" - }, - "<", - { - "pluginId": "embeddable", - "scope": "common", - "docId": "kibEmbeddablePluginApi", - "section": "def-common.EmbeddableInput", - "text": "EmbeddableInput" - }, - ", ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.EmbeddableOutput", - "text": "EmbeddableOutput" - }, - ", any>, ", - { - "pluginId": "savedObjectsFinder", - "scope": "common", - "docId": "kibSavedObjectsFinderPluginApi", - "section": "def-common.FinderAttributes", - "text": "FinderAttributes" - }, - ">>" - ], - "path": "src/plugins/embeddable/public/plugin.tsx", - "deprecated": true, - "trackAdoption": false, - "references": [ - { - "plugin": "canvas", - "path": "x-pack/plugins/canvas/public/components/workpad_header/editor_menu/editor_menu.tsx" - } - ], - "children": [], - "returnComment": [] - }, { "parentPluginId": "embeddable", "id": "def-public.EmbeddableStart.getStateTransfer", @@ -6954,7 +4680,7 @@ "text": "EmbeddableStateTransfer" } ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6975,7 +4701,7 @@ }, " | undefined" ], - "path": "src/plugins/embeddable/public/plugin.tsx", + "path": "src/plugins/embeddable/public/types.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -7391,7 +5117,7 @@ "label": "getEmbeddableFactory", "description": [], "signature": [ - "(embeddableFactoryId: string) => ", + "((embeddableFactoryId: string) => ", { "pluginId": "kibanaUtils", "scope": "common", @@ -7407,7 +5133,7 @@ "section": "def-common.SerializableRecord", "text": "SerializableRecord" }, - "> & { isContainerType: boolean; }" + "> & { isContainerType: boolean; }) | undefined" ], "path": "src/plugins/embeddable/common/types.ts", "deprecated": false, diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index b027d17aa8b08..a18e3ef121205 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kib | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 374 | 1 | 289 | 4 | +| 280 | 0 | 222 | 2 | ## Client diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index 9424801e10e4f..74304e13ba58a 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index 8a7ccf3d46739..d8f7741eed861 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 94b06cb40b465..984f413ec3380 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/entities_data_access.mdx b/api_docs/entities_data_access.mdx index 51f1bac56a4b8..9491520126d2d 100644 --- a/api_docs/entities_data_access.mdx +++ b/api_docs/entities_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entitiesDataAccess title: "entitiesDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the entitiesDataAccess plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entitiesDataAccess'] --- import entitiesDataAccessObj from './entities_data_access.devdocs.json'; diff --git a/api_docs/entity_manager.mdx b/api_docs/entity_manager.mdx index 5798730445cd0..dff3b661d2ce4 100644 --- a/api_docs/entity_manager.mdx +++ b/api_docs/entity_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entityManager title: "entityManager" image: https://source.unsplash.com/400x175/?github description: API docs for the entityManager plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entityManager'] --- import entityManagerObj from './entity_manager.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 43b6ecc5b8dad..dd6de6f007865 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/esql.devdocs.json b/api_docs/esql.devdocs.json index 4e418dcf36209..99ffc6bfa0791 100644 --- a/api_docs/esql.devdocs.json +++ b/api_docs/esql.devdocs.json @@ -412,6 +412,22 @@ "path": "src/platform/packages/private/kbn-esql-editor/src/types.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "esql", + "id": "def-public.ESQLEditorProps.disableAutoFocus", + "type": "CompoundType", + "tags": [], + "label": "disableAutoFocus", + "description": [ + "The component by default focuses on the editor when it is mounted, this flag disables it" + ], + "signature": [ + "boolean | undefined" + ], + "path": "src/platform/packages/private/kbn-esql-editor/src/types.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false diff --git a/api_docs/esql.mdx b/api_docs/esql.mdx index 6937c03a1bbae..06f9e1e1ee8a2 100644 --- a/api_docs/esql.mdx +++ b/api_docs/esql.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esql title: "esql" image: https://source.unsplash.com/400x175/?github description: API docs for the esql plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esql'] --- import esqlObj from './esql.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 25 | 0 | 9 | 0 | +| 26 | 0 | 9 | 0 | ## Client diff --git a/api_docs/esql_data_grid.mdx b/api_docs/esql_data_grid.mdx index 670ab9f9f0952..c39f9543ab94e 100644 --- a/api_docs/esql_data_grid.mdx +++ b/api_docs/esql_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esqlDataGrid title: "esqlDataGrid" image: https://source.unsplash.com/400x175/?github description: API docs for the esqlDataGrid plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esqlDataGrid'] --- import esqlDataGridObj from './esql_data_grid.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index 9438942498352..cc5f728cc0ecf 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_annotation_listing.mdx b/api_docs/event_annotation_listing.mdx index 01fafb5af96bc..674e0945c2a58 100644 --- a/api_docs/event_annotation_listing.mdx +++ b/api_docs/event_annotation_listing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotationListing title: "eventAnnotationListing" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotationListing plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotationListing'] --- import eventAnnotationListingObj from './event_annotation_listing.devdocs.json'; diff --git a/api_docs/event_log.devdocs.json b/api_docs/event_log.devdocs.json index 109159af2d1bf..bc89d5f6bb443 100644 --- a/api_docs/event_log.devdocs.json +++ b/api_docs/event_log.devdocs.json @@ -1514,7 +1514,7 @@ "label": "data", "description": [], "signature": [ - "(Readonly<{ log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined)[]" + "(Readonly<{ log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; user_api_key?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined)[]" ], "path": "x-pack/plugins/event_log/server/es/cluster_client_adapter.ts", "deprecated": false, @@ -1534,7 +1534,7 @@ "label": "IEvent", "description": [], "signature": [ - "DeepPartial | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" + "DeepPartial | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; user_api_key?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}>>> | undefined" ], "path": "x-pack/plugins/event_log/generated/schemas.ts", "deprecated": false, @@ -1549,7 +1549,7 @@ "label": "IValidatedEvent", "description": [], "signature": [ - "Readonly<{ log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined" + "Readonly<{ log?: Readonly<{ logger?: string | undefined; level?: string | undefined; } & {}> | undefined; error?: Readonly<{ id?: string | undefined; type?: string | undefined; message?: string | undefined; code?: string | undefined; stack_trace?: string | undefined; } & {}> | undefined; '@timestamp'?: string | undefined; message?: string | undefined; tags?: string[] | undefined; rule?: Readonly<{ id?: string | undefined; version?: string | undefined; name?: string | undefined; license?: string | undefined; description?: string | undefined; uuid?: string | undefined; category?: string | undefined; reference?: string | undefined; author?: string[] | undefined; ruleset?: string | undefined; } & {}> | undefined; kibana?: Readonly<{ task?: Readonly<{ id?: string | undefined; schedule_delay?: string | number | undefined; scheduled?: string | undefined; } & {}> | undefined; action?: Readonly<{ id?: string | undefined; name?: string | undefined; type_id?: string | undefined; execution?: Readonly<{ source?: string | undefined; uuid?: string | undefined; gen_ai?: Readonly<{ usage?: Readonly<{ prompt_tokens?: string | number | undefined; completion_tokens?: string | number | undefined; total_tokens?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; usage?: Readonly<{ request_body_bytes?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; } & {}> | undefined; version?: string | undefined; alerting?: Readonly<{ outcome?: string | undefined; status?: string | undefined; summary?: Readonly<{ recovered?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; new?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; ongoing?: Readonly<{ count?: string | number | undefined; } & {}> | undefined; } & {}> | undefined; instance_id?: string | undefined; action_group_id?: string | undefined; action_subgroup?: string | undefined; } & {}> | undefined; alert?: Readonly<{ rule?: Readonly<{ consumer?: string | undefined; revision?: string | number | undefined; execution?: Readonly<{ uuid?: string | undefined; status?: string | undefined; metrics?: Readonly<{ total_search_duration_ms?: string | number | undefined; total_indexing_duration_ms?: string | number | undefined; number_of_triggered_actions?: string | number | undefined; number_of_generated_actions?: string | number | undefined; alert_counts?: Readonly<{ recovered?: string | number | undefined; active?: string | number | undefined; new?: string | number | undefined; } & {}> | undefined; number_of_delayed_alerts?: string | number | undefined; number_of_searches?: string | number | undefined; es_search_duration_ms?: string | number | undefined; execution_gap_duration_s?: string | number | undefined; rule_type_run_duration_ms?: string | number | undefined; process_alerts_duration_ms?: string | number | undefined; trigger_actions_duration_ms?: string | number | undefined; process_rule_duration_ms?: string | number | undefined; claim_to_start_duration_ms?: string | number | undefined; persist_alerts_duration_ms?: string | number | undefined; prepare_rule_duration_ms?: string | number | undefined; total_run_duration_ms?: string | number | undefined; total_enrichment_duration_ms?: string | number | undefined; } & {}> | undefined; status_order?: string | number | undefined; backfill?: Readonly<{ id?: string | undefined; start?: string | undefined; interval?: string | undefined; } & {}> | undefined; } & {}> | undefined; rule_type_id?: string | undefined; } & {}> | undefined; flapping?: boolean | undefined; uuid?: string | undefined; maintenance_window_ids?: string[] | undefined; } & {}> | undefined; space_ids?: string[] | undefined; server_uuid?: string | undefined; saved_objects?: Readonly<{ id?: string | undefined; type?: string | undefined; namespace?: string | undefined; rel?: string | undefined; type_id?: string | undefined; space_agnostic?: boolean | undefined; } & {}>[] | undefined; user_api_key?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined; event?: Readonly<{ id?: string | undefined; type?: string[] | undefined; reason?: string | undefined; action?: string | undefined; start?: string | undefined; end?: string | undefined; outcome?: string | undefined; duration?: string | number | undefined; code?: string | undefined; severity?: string | number | undefined; category?: string[] | undefined; timezone?: string | undefined; risk_score?: number | undefined; url?: string | undefined; created?: string | undefined; provider?: string | undefined; dataset?: string | undefined; hash?: string | undefined; ingested?: string | undefined; kind?: string | undefined; module?: string | undefined; original?: string | undefined; reference?: string | undefined; risk_score_norm?: number | undefined; sequence?: string | number | undefined; } & {}> | undefined; ecs?: Readonly<{ version?: string | undefined; } & {}> | undefined; user?: Readonly<{ id?: string | undefined; name?: string | undefined; } & {}> | undefined; } & {}> | undefined" ], "path": "x-pack/plugins/event_log/generated/schemas.ts", "deprecated": false, diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index 1209ade510d6a..dcd1df2765878 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/exploratory_view.mdx b/api_docs/exploratory_view.mdx index 97cca38c29d83..682b1f21a836c 100644 --- a/api_docs/exploratory_view.mdx +++ b/api_docs/exploratory_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/exploratoryView title: "exploratoryView" image: https://source.unsplash.com/400x175/?github description: API docs for the exploratoryView plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'exploratoryView'] --- import exploratoryViewObj from './exploratory_view.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index 740b42397ba11..4b7335927037f 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index 9cb54778763c6..73f47a32aff1a 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index 2086273333b5c..82c81adbddcd4 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index 9cc48aec8e672..ed8a2d575988f 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index 490a0f8123df1..8dc6dce8819d0 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index 226086640e669..d8cb5ef998d39 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index bbf4b38ab4b38..cbdf9035f15da 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index 1f5d432c5618f..9988941f73c4a 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 292d1ffbd2116..76f850c18c77f 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 98466b1c9401d..01032a0a6bb91 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 5897f7a376a17..58419066c0cf0 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index be3a609b4cfac..23cdafe55b442 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index fdee5f5cfb728..9aa8b5a6aff83 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index 4b976ed559ad2..fc4dee21e0fda 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index c2626182f8790..d52541cd13519 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 1828a9aed6002..db67b876a483a 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/fields_metadata.devdocs.json b/api_docs/fields_metadata.devdocs.json index 987d36d475bf3..ca3be8edab5ee 100644 --- a/api_docs/fields_metadata.devdocs.json +++ b/api_docs/fields_metadata.devdocs.json @@ -11,7 +11,7 @@ "tags": [], "label": "FieldsMetadataPublicSetupDeps", "description": [], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -24,7 +24,7 @@ "tags": [], "label": "FieldsMetadataPublicStartDeps", "description": [], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -41,7 +41,7 @@ "tags": [], "label": "FieldsMetadataPublicSetup", "description": [], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -55,7 +55,7 @@ "tags": [], "label": "FieldsMetadataPublicStart", "description": [], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -71,7 +71,7 @@ "IFieldsMetadataClient", ">" ], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -90,7 +90,7 @@ " | undefined, deps?: React.DependencyList | undefined) => ", "UseFieldsMetadataReturnType" ], - "path": "x-pack/plugins/fields_metadata/public/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -106,7 +106,7 @@ "FindFieldsMetadataRequestQuery", " | undefined" ], - "path": "x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts", "deprecated": false, "trackAdoption": false }, @@ -120,7 +120,7 @@ "signature": [ "React.DependencyList | undefined" ], - "path": "x-pack/plugins/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/public/hooks/use_fields_metadata/use_fields_metadata.ts", "deprecated": false, "trackAdoption": false } @@ -147,7 +147,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -162,7 +162,7 @@ "signature": [ "{ [x: string]: { name: string; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }; }" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -185,7 +185,7 @@ }, "; }" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -200,7 +200,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -214,7 +214,7 @@ "tags": [], "label": "FieldsMetadataServerSetup", "description": [], - "path": "x-pack/plugins/fields_metadata/server/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -230,7 +230,7 @@ "IntegrationFieldsExtractor", ") => void" ], - "path": "x-pack/plugins/fields_metadata/server/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -255,7 +255,7 @@ }, ">" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -270,7 +270,7 @@ "signature": [ "IntegrationFieldsSearchParams" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/repositories/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/repositories/types.ts", "deprecated": false, "trackAdoption": false } @@ -290,7 +290,7 @@ "IntegrationListExtractor", ") => void" ], - "path": "x-pack/plugins/fields_metadata/server/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -307,7 +307,7 @@ "ExtractedIntegration", "[]>" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -326,7 +326,7 @@ "tags": [], "label": "FieldsMetadataServerStart", "description": [], - "path": "x-pack/plugins/fields_metadata/server/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -350,7 +350,7 @@ "IFieldsMetadataClient", ">" ], - "path": "x-pack/plugins/fields_metadata/server/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -372,7 +372,7 @@ }, "" ], - "path": "x-pack/plugins/fields_metadata/server/services/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/services/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false } @@ -392,7 +392,7 @@ "tags": [], "label": "FieldMetadata", "description": [], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -406,7 +406,7 @@ "signature": [ "(props: (\"source\" | \"type\" | \"normalize\" | \"short\" | \"format\" | \"name\" | \"index\" | \"description\" | \"pattern\" | \"doc_values\" | \"ignore_above\" | \"required\" | \"beta\" | \"level\" | \"allowed_values\" | \"dashed_name\" | \"example\" | \"expected_values\" | \"flat_name\" | \"input_format\" | \"multi_fields\" | \"object_type\" | \"original_fieldset\" | \"output_format\" | \"output_precision\" | \"scaling_factor\" | \"documentation_url\")[]) => { name?: string | undefined; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -420,7 +420,7 @@ "signature": [ "(\"source\" | \"type\" | \"normalize\" | \"short\" | \"format\" | \"name\" | \"index\" | \"description\" | \"pattern\" | \"doc_values\" | \"ignore_above\" | \"required\" | \"beta\" | \"level\" | \"allowed_values\" | \"dashed_name\" | \"example\" | \"expected_values\" | \"flat_name\" | \"input_format\" | \"multi_fields\" | \"object_type\" | \"original_fieldset\" | \"output_format\" | \"output_precision\" | \"scaling_factor\" | \"documentation_url\")[]" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -438,7 +438,7 @@ "signature": [ "() => { name: string; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -461,7 +461,7 @@ "text": "FieldMetadata" } ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -475,7 +475,7 @@ "signature": [ "{ name: string; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -493,7 +493,7 @@ "tags": [], "label": "FieldsMetadataDictionary", "description": [], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -508,7 +508,7 @@ "() => ", "FieldsMetadataMap" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -524,7 +524,7 @@ "signature": [ "(attributes: (\"source\" | \"type\" | \"normalize\" | \"short\" | \"format\" | \"name\" | \"index\" | \"description\" | \"pattern\" | \"doc_values\" | \"ignore_above\" | \"required\" | \"beta\" | \"level\" | \"allowed_values\" | \"dashed_name\" | \"example\" | \"expected_values\" | \"flat_name\" | \"input_format\" | \"multi_fields\" | \"object_type\" | \"original_fieldset\" | \"output_format\" | \"output_precision\" | \"scaling_factor\" | \"documentation_url\")[]) => Record" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -538,7 +538,7 @@ "signature": [ "(\"source\" | \"type\" | \"normalize\" | \"short\" | \"format\" | \"name\" | \"index\" | \"description\" | \"pattern\" | \"doc_values\" | \"ignore_above\" | \"required\" | \"beta\" | \"level\" | \"allowed_values\" | \"dashed_name\" | \"example\" | \"expected_values\" | \"flat_name\" | \"input_format\" | \"multi_fields\" | \"object_type\" | \"original_fieldset\" | \"output_format\" | \"output_precision\" | \"scaling_factor\" | \"documentation_url\")[]" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -556,7 +556,7 @@ "signature": [ "() => Record" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -581,7 +581,7 @@ "text": "FieldsMetadataDictionary" } ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -595,7 +595,7 @@ "signature": [ "FieldsMetadataMap" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/fields_metadata_dictionary.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -626,7 +626,7 @@ }, " extends { name: string; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/models/field_metadata.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/models/field_metadata.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -645,7 +645,7 @@ "signature": [ "string & {}" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -660,7 +660,7 @@ "signature": [ "\"@timestamp\" | \"event.sequence\" | \"event.start\" | \"event.end\" | \"event.provider\" | \"event.duration\" | \"event.action\" | \"message\" | \"event.outcome\" | \"tags\" | \"event.kind\" | \"event.original\" | \"agent.name\" | \"container.id\" | \"host.name\" | \"labels\" | \"service.environment\" | \"service.name\" | \"ecs.version\" | \"agent.build.original\" | \"agent.ephemeral_id\" | \"agent.id\" | \"agent.type\" | \"agent.version\" | \"client.address\" | \"client.as.number\" | \"client.as.organization.name\" | \"client.bytes\" | \"client.domain\" | \"client.geo.city_name\" | \"client.geo.continent_code\" | \"client.geo.continent_name\" | \"client.geo.country_iso_code\" | \"client.geo.country_name\" | \"client.geo.location\" | \"client.geo.name\" | \"client.geo.postal_code\" | \"client.geo.region_iso_code\" | \"client.geo.region_name\" | \"client.geo.timezone\" | \"client.ip\" | \"client.mac\" | \"client.nat.ip\" | \"client.nat.port\" | \"client.packets\" | \"client.port\" | \"client.registered_domain\" | \"client.subdomain\" | \"client.top_level_domain\" | \"client.user.domain\" | \"client.user.email\" | \"client.user.full_name\" | \"client.user.group.domain\" | \"client.user.group.id\" | \"client.user.group.name\" | \"client.user.hash\" | \"client.user.id\" | \"client.user.name\" | \"client.user.roles\" | \"cloud.account.id\" | \"cloud.account.name\" | \"cloud.availability_zone\" | \"cloud.instance.id\" | \"cloud.instance.name\" | \"cloud.machine.type\" | \"cloud.origin.account.id\" | \"cloud.origin.account.name\" | \"cloud.origin.availability_zone\" | \"cloud.origin.instance.id\" | \"cloud.origin.instance.name\" | \"cloud.origin.machine.type\" | \"cloud.origin.project.id\" | \"cloud.origin.project.name\" | \"cloud.origin.provider\" | \"cloud.origin.region\" | \"cloud.origin.service.name\" | \"cloud.project.id\" | \"cloud.project.name\" | \"cloud.provider\" | \"cloud.region\" | \"cloud.service.name\" | \"cloud.target.account.id\" | \"cloud.target.account.name\" | \"cloud.target.availability_zone\" | \"cloud.target.instance.id\" | \"cloud.target.instance.name\" | \"cloud.target.machine.type\" | \"cloud.target.project.id\" | \"cloud.target.project.name\" | \"cloud.target.provider\" | \"cloud.target.region\" | \"cloud.target.service.name\" | \"container.cpu.usage\" | \"container.disk.read.bytes\" | \"container.disk.write.bytes\" | \"container.image.hash.all\" | \"container.image.name\" | \"container.image.tag\" | \"container.labels\" | \"container.memory.usage\" | \"container.name\" | \"container.network.egress.bytes\" | \"container.network.ingress.bytes\" | \"container.runtime\" | \"container.security_context.privileged\" | \"destination.address\" | \"destination.as.number\" | \"destination.as.organization.name\" | \"destination.bytes\" | \"destination.domain\" | \"destination.geo.city_name\" | \"destination.geo.continent_code\" | \"destination.geo.continent_name\" | \"destination.geo.country_iso_code\" | \"destination.geo.country_name\" | \"destination.geo.location\" | \"destination.geo.name\" | \"destination.geo.postal_code\" | \"destination.geo.region_iso_code\" | \"destination.geo.region_name\" | \"destination.geo.timezone\" | \"destination.ip\" | \"destination.mac\" | \"destination.nat.ip\" | \"destination.nat.port\" | \"destination.packets\" | \"destination.port\" | \"destination.registered_domain\" | \"destination.subdomain\" | \"destination.top_level_domain\" | \"destination.user.domain\" | \"destination.user.email\" | \"destination.user.full_name\" | \"destination.user.group.domain\" | \"destination.user.group.id\" | \"destination.user.group.name\" | \"destination.user.hash\" | \"destination.user.id\" | \"destination.user.name\" | \"destination.user.roles\" | \"device.id\" | \"device.manufacturer\" | \"device.model.identifier\" | \"device.model.name\" | \"dll.code_signature.digest_algorithm\" | \"dll.code_signature.exists\" | \"dll.code_signature.signing_id\" | \"dll.code_signature.status\" | \"dll.code_signature.subject_name\" | \"dll.code_signature.team_id\" | \"dll.code_signature.timestamp\" | \"dll.code_signature.trusted\" | \"dll.code_signature.valid\" | \"dll.hash.md5\" | \"dll.hash.sha1\" | \"dll.hash.sha256\" | \"dll.hash.sha384\" | \"dll.hash.sha512\" | \"dll.hash.ssdeep\" | \"dll.hash.tlsh\" | \"dll.name\" | \"dll.path\" | \"dll.pe.architecture\" | \"dll.pe.company\" | \"dll.pe.description\" | \"dll.pe.file_version\" | \"dll.pe.go_import_hash\" | \"dll.pe.go_imports\" | \"dll.pe.go_imports_names_entropy\" | \"dll.pe.go_imports_names_var_entropy\" | \"dll.pe.go_stripped\" | \"dll.pe.imphash\" | \"dll.pe.import_hash\" | \"dll.pe.imports\" | \"dll.pe.imports_names_entropy\" | \"dll.pe.imports_names_var_entropy\" | \"dll.pe.original_file_name\" | \"dll.pe.pehash\" | \"dll.pe.product\" | \"dll.pe.sections\" | \"dns.answers\" | \"dns.header_flags\" | \"dns.id\" | \"dns.op_code\" | \"dns.question.class\" | \"dns.question.name\" | \"dns.question.registered_domain\" | \"dns.question.subdomain\" | \"dns.question.top_level_domain\" | \"dns.question.type\" | \"dns.resolved_ip\" | \"dns.response_code\" | \"dns.type\" | \"email.attachments\" | \"file.extension\" | \"file.hash.md5\" | \"file.hash.sha1\" | \"file.hash.sha256\" | \"file.hash.sha384\" | \"file.hash.sha512\" | \"file.hash.ssdeep\" | \"file.hash.tlsh\" | \"file.mime_type\" | \"file.name\" | \"file.size\" | \"email.bcc.address\" | \"email.cc.address\" | \"email.content_type\" | \"email.delivery_timestamp\" | \"email.direction\" | \"email.from.address\" | \"email.local_id\" | \"email.message_id\" | \"email.origination_timestamp\" | \"email.reply_to.address\" | \"email.sender.address\" | \"email.subject\" | \"email.to.address\" | \"email.x_mailer\" | \"error.code\" | \"error.id\" | \"error.message\" | \"error.stack_trace\" | \"error.type\" | \"event.agent_id_status\" | \"event.category\" | \"event.code\" | \"event.created\" | \"event.dataset\" | \"event.hash\" | \"event.id\" | \"event.ingested\" | \"event.module\" | \"event.reason\" | \"event.reference\" | \"event.risk_score\" | \"event.risk_score_norm\" | \"event.severity\" | \"event.timezone\" | \"event.type\" | \"event.url\" | \"faas.coldstart\" | \"faas.execution\" | \"faas.id\" | \"faas.name\" | \"faas.version\" | \"file.accessed\" | \"file.attributes\" | \"file.code_signature.digest_algorithm\" | \"file.code_signature.exists\" | \"file.code_signature.signing_id\" | \"file.code_signature.status\" | \"file.code_signature.subject_name\" | \"file.code_signature.team_id\" | \"file.code_signature.timestamp\" | \"file.code_signature.trusted\" | \"file.code_signature.valid\" | \"file.created\" | \"file.ctime\" | \"file.device\" | \"file.directory\" | \"file.drive_letter\" | \"file.elf.architecture\" | \"file.elf.byte_order\" | \"file.elf.cpu_type\" | \"file.elf.creation_date\" | \"file.elf.exports\" | \"file.elf.go_import_hash\" | \"file.elf.go_imports\" | \"file.elf.go_imports_names_entropy\" | \"file.elf.go_imports_names_var_entropy\" | \"file.elf.go_stripped\" | \"file.elf.header.abi_version\" | \"file.elf.header.class\" | \"file.elf.header.data\" | \"file.elf.header.entrypoint\" | \"file.elf.header.object_version\" | \"file.elf.header.os_abi\" | \"file.elf.header.type\" | \"file.elf.header.version\" | \"file.elf.import_hash\" | \"file.elf.imports\" | \"file.elf.imports_names_entropy\" | \"file.elf.imports_names_var_entropy\" | \"file.elf.sections\" | \"file.elf.segments\" | \"file.elf.shared_libraries\" | \"file.elf.telfhash\" | \"file.fork_name\" | \"file.gid\" | \"file.group\" | \"file.inode\" | \"file.macho.go_import_hash\" | \"file.macho.go_imports\" | \"file.macho.go_imports_names_entropy\" | \"file.macho.go_imports_names_var_entropy\" | \"file.macho.go_stripped\" | \"file.macho.import_hash\" | \"file.macho.imports\" | \"file.macho.imports_names_entropy\" | \"file.macho.imports_names_var_entropy\" | \"file.macho.sections\" | \"file.macho.symhash\" | \"file.mode\" | \"file.mtime\" | \"file.owner\" | \"file.path\" | \"file.pe.architecture\" | \"file.pe.company\" | \"file.pe.description\" | \"file.pe.file_version\" | \"file.pe.go_import_hash\" | \"file.pe.go_imports\" | \"file.pe.go_imports_names_entropy\" | \"file.pe.go_imports_names_var_entropy\" | \"file.pe.go_stripped\" | \"file.pe.imphash\" | \"file.pe.import_hash\" | \"file.pe.imports\" | \"file.pe.imports_names_entropy\" | \"file.pe.imports_names_var_entropy\" | \"file.pe.original_file_name\" | \"file.pe.pehash\" | \"file.pe.product\" | \"file.pe.sections\" | \"file.target_path\" | \"file.type\" | \"file.uid\" | \"file.x509.alternative_names\" | \"file.x509.issuer.common_name\" | \"file.x509.issuer.country\" | \"file.x509.issuer.distinguished_name\" | \"file.x509.issuer.locality\" | \"file.x509.issuer.organization\" | \"file.x509.issuer.organizational_unit\" | \"file.x509.issuer.state_or_province\" | \"file.x509.not_after\" | \"file.x509.not_before\" | \"file.x509.public_key_algorithm\" | \"file.x509.public_key_curve\" | \"file.x509.public_key_exponent\" | \"file.x509.public_key_size\" | \"file.x509.serial_number\" | \"file.x509.signature_algorithm\" | \"file.x509.subject.common_name\" | \"file.x509.subject.country\" | \"file.x509.subject.distinguished_name\" | \"file.x509.subject.locality\" | \"file.x509.subject.organization\" | \"file.x509.subject.organizational_unit\" | \"file.x509.subject.state_or_province\" | \"file.x509.version_number\" | \"group.domain\" | \"group.id\" | \"group.name\" | \"host.architecture\" | \"host.boot.id\" | \"host.cpu.usage\" | \"host.disk.read.bytes\" | \"host.disk.write.bytes\" | \"host.domain\" | \"host.geo.city_name\" | \"host.geo.continent_code\" | \"host.geo.continent_name\" | \"host.geo.country_iso_code\" | \"host.geo.country_name\" | \"host.geo.location\" | \"host.geo.name\" | \"host.geo.postal_code\" | \"host.geo.region_iso_code\" | \"host.geo.region_name\" | \"host.geo.timezone\" | \"host.hostname\" | \"host.id\" | \"host.ip\" | \"host.mac\" | \"host.network.egress.bytes\" | \"host.network.egress.packets\" | \"host.network.ingress.bytes\" | \"host.network.ingress.packets\" | \"host.os.family\" | \"host.os.full\" | \"host.os.kernel\" | \"host.os.name\" | \"host.os.platform\" | \"host.os.type\" | \"host.os.version\" | \"host.pid_ns_ino\" | \"host.risk.calculated_level\" | \"host.risk.calculated_score\" | \"host.risk.calculated_score_norm\" | \"host.risk.static_level\" | \"host.risk.static_score\" | \"host.risk.static_score_norm\" | \"host.type\" | \"host.uptime\" | \"http.request.body.bytes\" | \"http.request.body.content\" | \"http.request.bytes\" | \"http.request.id\" | \"http.request.method\" | \"http.request.mime_type\" | \"http.request.referrer\" | \"http.response.body.bytes\" | \"http.response.body.content\" | \"http.response.bytes\" | \"http.response.mime_type\" | \"http.response.status_code\" | \"http.version\" | \"log.file.path\" | \"log.level\" | \"log.logger\" | \"log.origin.file.line\" | \"log.origin.file.name\" | \"log.origin.function\" | \"log.syslog\" | \"network.application\" | \"network.bytes\" | \"network.community_id\" | \"network.direction\" | \"network.forwarded_ip\" | \"network.iana_number\" | \"network.inner\" | \"network.name\" | \"network.packets\" | \"network.protocol\" | \"network.transport\" | \"network.type\" | \"network.vlan.id\" | \"network.vlan.name\" | \"observer.egress\" | \"observer.geo.city_name\" | \"observer.geo.continent_code\" | \"observer.geo.continent_name\" | \"observer.geo.country_iso_code\" | \"observer.geo.country_name\" | \"observer.geo.location\" | \"observer.geo.name\" | \"observer.geo.postal_code\" | \"observer.geo.region_iso_code\" | \"observer.geo.region_name\" | \"observer.geo.timezone\" | \"observer.hostname\" | \"observer.ingress\" | \"observer.ip\" | \"observer.mac\" | \"observer.name\" | \"observer.os.family\" | \"observer.os.full\" | \"observer.os.kernel\" | \"observer.os.name\" | \"observer.os.platform\" | \"observer.os.type\" | \"observer.os.version\" | \"observer.product\" | \"observer.serial_number\" | \"observer.type\" | \"observer.vendor\" | \"observer.version\" | \"orchestrator.api_version\" | \"orchestrator.cluster.id\" | \"orchestrator.cluster.name\" | \"orchestrator.cluster.url\" | \"orchestrator.cluster.version\" | \"orchestrator.namespace\" | \"orchestrator.organization\" | \"orchestrator.resource.annotation\" | \"orchestrator.resource.id\" | \"orchestrator.resource.ip\" | \"orchestrator.resource.label\" | \"orchestrator.resource.name\" | \"orchestrator.resource.parent.type\" | \"orchestrator.resource.type\" | \"orchestrator.type\" | \"organization.id\" | \"organization.name\" | \"package.architecture\" | \"package.build_version\" | \"package.checksum\" | \"package.description\" | \"package.install_scope\" | \"package.installed\" | \"package.license\" | \"package.name\" | \"package.path\" | \"package.reference\" | \"package.size\" | \"package.type\" | \"package.version\" | \"process.args\" | \"process.args_count\" | \"process.code_signature.digest_algorithm\" | \"process.code_signature.exists\" | \"process.code_signature.signing_id\" | \"process.code_signature.status\" | \"process.code_signature.subject_name\" | \"process.code_signature.team_id\" | \"process.code_signature.timestamp\" | \"process.code_signature.trusted\" | \"process.code_signature.valid\" | \"process.command_line\" | \"process.elf.architecture\" | \"process.elf.byte_order\" | \"process.elf.cpu_type\" | \"process.elf.creation_date\" | \"process.elf.exports\" | \"process.elf.go_import_hash\" | \"process.elf.go_imports\" | \"process.elf.go_imports_names_entropy\" | \"process.elf.go_imports_names_var_entropy\" | \"process.elf.go_stripped\" | \"process.elf.header.abi_version\" | \"process.elf.header.class\" | \"process.elf.header.data\" | \"process.elf.header.entrypoint\" | \"process.elf.header.object_version\" | \"process.elf.header.os_abi\" | \"process.elf.header.type\" | \"process.elf.header.version\" | \"process.elf.import_hash\" | \"process.elf.imports\" | \"process.elf.imports_names_entropy\" | \"process.elf.imports_names_var_entropy\" | \"process.elf.sections\" | \"process.elf.segments\" | \"process.elf.shared_libraries\" | \"process.elf.telfhash\" | \"process.end\" | \"process.entity_id\" | \"process.entry_leader.args\" | \"process.entry_leader.args_count\" | \"process.entry_leader.attested_groups.name\" | \"process.entry_leader.attested_user.id\" | \"process.entry_leader.attested_user.name\" | \"process.entry_leader.command_line\" | \"process.entry_leader.entity_id\" | \"process.entry_leader.entry_meta.source.ip\" | \"process.entry_leader.entry_meta.type\" | \"process.entry_leader.executable\" | \"process.entry_leader.group.id\" | \"process.entry_leader.group.name\" | \"process.entry_leader.interactive\" | \"process.entry_leader.name\" | \"process.entry_leader.parent.entity_id\" | \"process.entry_leader.parent.pid\" | \"process.entry_leader.parent.session_leader.entity_id\" | \"process.entry_leader.parent.session_leader.pid\" | \"process.entry_leader.parent.session_leader.start\" | \"process.entry_leader.parent.session_leader.vpid\" | \"process.entry_leader.parent.start\" | \"process.entry_leader.parent.vpid\" | \"process.entry_leader.pid\" | \"process.entry_leader.real_group.id\" | \"process.entry_leader.real_group.name\" | \"process.entry_leader.real_user.id\" | \"process.entry_leader.real_user.name\" | \"process.entry_leader.same_as_process\" | \"process.entry_leader.saved_group.id\" | \"process.entry_leader.saved_group.name\" | \"process.entry_leader.saved_user.id\" | \"process.entry_leader.saved_user.name\" | \"process.entry_leader.start\" | \"process.entry_leader.supplemental_groups.id\" | \"process.entry_leader.supplemental_groups.name\" | \"process.entry_leader.tty\" | \"process.entry_leader.user.id\" | \"process.entry_leader.user.name\" | \"process.entry_leader.vpid\" | \"process.entry_leader.working_directory\" | \"process.env_vars\" | \"process.executable\" | \"process.exit_code\" | \"process.group_leader.args\" | \"process.group_leader.args_count\" | \"process.group_leader.command_line\" | \"process.group_leader.entity_id\" | \"process.group_leader.executable\" | \"process.group_leader.group.id\" | \"process.group_leader.group.name\" | \"process.group_leader.interactive\" | \"process.group_leader.name\" | \"process.group_leader.pid\" | \"process.group_leader.real_group.id\" | \"process.group_leader.real_group.name\" | \"process.group_leader.real_user.id\" | \"process.group_leader.real_user.name\" | \"process.group_leader.same_as_process\" | \"process.group_leader.saved_group.id\" | \"process.group_leader.saved_group.name\" | \"process.group_leader.saved_user.id\" | \"process.group_leader.saved_user.name\" | \"process.group_leader.start\" | \"process.group_leader.supplemental_groups.id\" | \"process.group_leader.supplemental_groups.name\" | \"process.group_leader.tty\" | \"process.group_leader.user.id\" | \"process.group_leader.user.name\" | \"process.group_leader.vpid\" | \"process.group_leader.working_directory\" | \"process.hash.md5\" | \"process.hash.sha1\" | \"process.hash.sha256\" | \"process.hash.sha384\" | \"process.hash.sha512\" | \"process.hash.ssdeep\" | \"process.hash.tlsh\" | \"process.interactive\" | \"process.io\" | \"process.macho.go_import_hash\" | \"process.macho.go_imports\" | \"process.macho.go_imports_names_entropy\" | \"process.macho.go_imports_names_var_entropy\" | \"process.macho.go_stripped\" | \"process.macho.import_hash\" | \"process.macho.imports\" | \"process.macho.imports_names_entropy\" | \"process.macho.imports_names_var_entropy\" | \"process.macho.sections\" | \"process.macho.symhash\" | \"process.name\" | \"process.parent.args\" | \"process.parent.args_count\" | \"process.parent.code_signature.digest_algorithm\" | \"process.parent.code_signature.exists\" | \"process.parent.code_signature.signing_id\" | \"process.parent.code_signature.status\" | \"process.parent.code_signature.subject_name\" | \"process.parent.code_signature.team_id\" | \"process.parent.code_signature.timestamp\" | \"process.parent.code_signature.trusted\" | \"process.parent.code_signature.valid\" | \"process.parent.command_line\" | \"process.parent.elf.architecture\" | \"process.parent.elf.byte_order\" | \"process.parent.elf.cpu_type\" | \"process.parent.elf.creation_date\" | \"process.parent.elf.exports\" | \"process.parent.elf.go_import_hash\" | \"process.parent.elf.go_imports\" | \"process.parent.elf.go_imports_names_entropy\" | \"process.parent.elf.go_imports_names_var_entropy\" | \"process.parent.elf.go_stripped\" | \"process.parent.elf.header.abi_version\" | \"process.parent.elf.header.class\" | \"process.parent.elf.header.data\" | \"process.parent.elf.header.entrypoint\" | \"process.parent.elf.header.object_version\" | \"process.parent.elf.header.os_abi\" | \"process.parent.elf.header.type\" | \"process.parent.elf.header.version\" | \"process.parent.elf.import_hash\" | \"process.parent.elf.imports\" | \"process.parent.elf.imports_names_entropy\" | \"process.parent.elf.imports_names_var_entropy\" | \"process.parent.elf.sections\" | \"process.parent.elf.segments\" | \"process.parent.elf.shared_libraries\" | \"process.parent.elf.telfhash\" | \"process.parent.end\" | \"process.parent.entity_id\" | \"process.parent.executable\" | \"process.parent.exit_code\" | \"process.parent.group.id\" | \"process.parent.group.name\" | \"process.parent.group_leader.entity_id\" | \"process.parent.group_leader.pid\" | \"process.parent.group_leader.start\" | \"process.parent.group_leader.vpid\" | \"process.parent.hash.md5\" | \"process.parent.hash.sha1\" | \"process.parent.hash.sha256\" | \"process.parent.hash.sha384\" | \"process.parent.hash.sha512\" | \"process.parent.hash.ssdeep\" | \"process.parent.hash.tlsh\" | \"process.parent.interactive\" | \"process.parent.macho.go_import_hash\" | \"process.parent.macho.go_imports\" | \"process.parent.macho.go_imports_names_entropy\" | \"process.parent.macho.go_imports_names_var_entropy\" | \"process.parent.macho.go_stripped\" | \"process.parent.macho.import_hash\" | \"process.parent.macho.imports\" | \"process.parent.macho.imports_names_entropy\" | \"process.parent.macho.imports_names_var_entropy\" | \"process.parent.macho.sections\" | \"process.parent.macho.symhash\" | \"process.parent.name\" | \"process.parent.pe.architecture\" | \"process.parent.pe.company\" | \"process.parent.pe.description\" | \"process.parent.pe.file_version\" | \"process.parent.pe.go_import_hash\" | \"process.parent.pe.go_imports\" | \"process.parent.pe.go_imports_names_entropy\" | \"process.parent.pe.go_imports_names_var_entropy\" | \"process.parent.pe.go_stripped\" | \"process.parent.pe.imphash\" | \"process.parent.pe.import_hash\" | \"process.parent.pe.imports\" | \"process.parent.pe.imports_names_entropy\" | \"process.parent.pe.imports_names_var_entropy\" | \"process.parent.pe.original_file_name\" | \"process.parent.pe.pehash\" | \"process.parent.pe.product\" | \"process.parent.pe.sections\" | \"process.parent.pgid\" | \"process.parent.pid\" | \"process.parent.real_group.id\" | \"process.parent.real_group.name\" | \"process.parent.real_user.id\" | \"process.parent.real_user.name\" | \"process.parent.saved_group.id\" | \"process.parent.saved_group.name\" | \"process.parent.saved_user.id\" | \"process.parent.saved_user.name\" | \"process.parent.start\" | \"process.parent.supplemental_groups.id\" | \"process.parent.supplemental_groups.name\" | \"process.parent.thread.capabilities.effective\" | \"process.parent.thread.capabilities.permitted\" | \"process.parent.thread.id\" | \"process.parent.thread.name\" | \"process.parent.title\" | \"process.parent.tty\" | \"process.parent.uptime\" | \"process.parent.user.id\" | \"process.parent.user.name\" | \"process.parent.vpid\" | \"process.parent.working_directory\" | \"process.pe.architecture\" | \"process.pe.company\" | \"process.pe.description\" | \"process.pe.file_version\" | \"process.pe.go_import_hash\" | \"process.pe.go_imports\" | \"process.pe.go_imports_names_entropy\" | \"process.pe.go_imports_names_var_entropy\" | \"process.pe.go_stripped\" | \"process.pe.imphash\" | \"process.pe.import_hash\" | \"process.pe.imports\" | \"process.pe.imports_names_entropy\" | \"process.pe.imports_names_var_entropy\" | \"process.pe.original_file_name\" | \"process.pe.pehash\" | \"process.pe.product\" | \"process.pe.sections\" | \"process.pgid\" | \"process.pid\" | \"process.previous.args\" | \"process.previous.args_count\" | \"process.previous.executable\" | \"process.real_group.id\" | \"process.real_group.name\" | \"process.real_user.id\" | \"process.real_user.name\" | \"process.saved_group.id\" | \"process.saved_group.name\" | \"process.saved_user.id\" | \"process.saved_user.name\" | \"process.session_leader.args\" | \"process.session_leader.args_count\" | \"process.session_leader.command_line\" | \"process.session_leader.entity_id\" | \"process.session_leader.executable\" | \"process.session_leader.group.id\" | \"process.session_leader.group.name\" | \"process.session_leader.interactive\" | \"process.session_leader.name\" | \"process.session_leader.parent.entity_id\" | \"process.session_leader.parent.pid\" | \"process.session_leader.parent.session_leader.entity_id\" | \"process.session_leader.parent.session_leader.pid\" | \"process.session_leader.parent.session_leader.start\" | \"process.session_leader.parent.session_leader.vpid\" | \"process.session_leader.parent.start\" | \"process.session_leader.parent.vpid\" | \"process.session_leader.pid\" | \"process.session_leader.real_group.id\" | \"process.session_leader.real_group.name\" | \"process.session_leader.real_user.id\" | \"process.session_leader.real_user.name\" | \"process.session_leader.same_as_process\" | \"process.session_leader.saved_group.id\" | \"process.session_leader.saved_group.name\" | \"process.session_leader.saved_user.id\" | \"process.session_leader.saved_user.name\" | \"process.session_leader.start\" | \"process.session_leader.supplemental_groups.id\" | \"process.session_leader.supplemental_groups.name\" | \"process.session_leader.tty\" | \"process.session_leader.user.id\" | \"process.session_leader.user.name\" | \"process.session_leader.vpid\" | \"process.session_leader.working_directory\" | \"process.start\" | \"process.supplemental_groups.id\" | \"process.supplemental_groups.name\" | \"process.thread.capabilities.effective\" | \"process.thread.capabilities.permitted\" | \"process.thread.id\" | \"process.thread.name\" | \"process.title\" | \"process.tty\" | \"process.uptime\" | \"process.user.id\" | \"process.user.name\" | \"process.vpid\" | \"process.working_directory\" | \"registry.data.bytes\" | \"registry.data.strings\" | \"registry.data.type\" | \"registry.hive\" | \"registry.key\" | \"registry.path\" | \"registry.value\" | \"related.hash\" | \"related.hosts\" | \"related.ip\" | \"related.user\" | \"rule.author\" | \"rule.category\" | \"rule.description\" | \"rule.id\" | \"rule.license\" | \"rule.name\" | \"rule.reference\" | \"rule.ruleset\" | \"rule.uuid\" | \"rule.version\" | \"server.address\" | \"server.as.number\" | \"server.as.organization.name\" | \"server.bytes\" | \"server.domain\" | \"server.geo.city_name\" | \"server.geo.continent_code\" | \"server.geo.continent_name\" | \"server.geo.country_iso_code\" | \"server.geo.country_name\" | \"server.geo.location\" | \"server.geo.name\" | \"server.geo.postal_code\" | \"server.geo.region_iso_code\" | \"server.geo.region_name\" | \"server.geo.timezone\" | \"server.ip\" | \"server.mac\" | \"server.nat.ip\" | \"server.nat.port\" | \"server.packets\" | \"server.port\" | \"server.registered_domain\" | \"server.subdomain\" | \"server.top_level_domain\" | \"server.user.domain\" | \"server.user.email\" | \"server.user.full_name\" | \"server.user.group.domain\" | \"server.user.group.id\" | \"server.user.group.name\" | \"server.user.hash\" | \"server.user.id\" | \"server.user.name\" | \"server.user.roles\" | \"service.address\" | \"service.ephemeral_id\" | \"service.id\" | \"service.node.name\" | \"service.node.role\" | \"service.node.roles\" | \"service.origin.address\" | \"service.origin.environment\" | \"service.origin.ephemeral_id\" | \"service.origin.id\" | \"service.origin.name\" | \"service.origin.node.name\" | \"service.origin.node.role\" | \"service.origin.node.roles\" | \"service.origin.state\" | \"service.origin.type\" | \"service.origin.version\" | \"service.state\" | \"service.target.address\" | \"service.target.environment\" | \"service.target.ephemeral_id\" | \"service.target.id\" | \"service.target.name\" | \"service.target.node.name\" | \"service.target.node.role\" | \"service.target.node.roles\" | \"service.target.state\" | \"service.target.type\" | \"service.target.version\" | \"service.type\" | \"service.version\" | \"source.address\" | \"source.as.number\" | \"source.as.organization.name\" | \"source.bytes\" | \"source.domain\" | \"source.geo.city_name\" | \"source.geo.continent_code\" | \"source.geo.continent_name\" | \"source.geo.country_iso_code\" | \"source.geo.country_name\" | \"source.geo.location\" | \"source.geo.name\" | \"source.geo.postal_code\" | \"source.geo.region_iso_code\" | \"source.geo.region_name\" | \"source.geo.timezone\" | \"source.ip\" | \"source.mac\" | \"source.nat.ip\" | \"source.nat.port\" | \"source.packets\" | \"source.port\" | \"source.registered_domain\" | \"source.subdomain\" | \"source.top_level_domain\" | \"source.user.domain\" | \"source.user.email\" | \"source.user.full_name\" | \"source.user.group.domain\" | \"source.user.group.id\" | \"source.user.group.name\" | \"source.user.hash\" | \"source.user.id\" | \"source.user.name\" | \"source.user.roles\" | \"span.id\" | \"threat.enrichments\" | \"threat.feed.dashboard_id\" | \"threat.feed.description\" | \"threat.feed.name\" | \"threat.feed.reference\" | \"threat.framework\" | \"threat.group.alias\" | \"threat.group.id\" | \"threat.group.name\" | \"threat.group.reference\" | \"threat.indicator.as.number\" | \"threat.indicator.as.organization.name\" | \"threat.indicator.confidence\" | \"threat.indicator.description\" | \"threat.indicator.email.address\" | \"threat.indicator.file.accessed\" | \"threat.indicator.file.attributes\" | \"threat.indicator.file.code_signature.digest_algorithm\" | \"threat.indicator.file.code_signature.exists\" | \"threat.indicator.file.code_signature.signing_id\" | \"threat.indicator.file.code_signature.status\" | \"threat.indicator.file.code_signature.subject_name\" | \"threat.indicator.file.code_signature.team_id\" | \"threat.indicator.file.code_signature.timestamp\" | \"threat.indicator.file.code_signature.trusted\" | \"threat.indicator.file.code_signature.valid\" | \"threat.indicator.file.created\" | \"threat.indicator.file.ctime\" | \"threat.indicator.file.device\" | \"threat.indicator.file.directory\" | \"threat.indicator.file.drive_letter\" | \"threat.indicator.file.elf.architecture\" | \"threat.indicator.file.elf.byte_order\" | \"threat.indicator.file.elf.cpu_type\" | \"threat.indicator.file.elf.creation_date\" | \"threat.indicator.file.elf.exports\" | \"threat.indicator.file.elf.go_import_hash\" | \"threat.indicator.file.elf.go_imports\" | \"threat.indicator.file.elf.go_imports_names_entropy\" | \"threat.indicator.file.elf.go_imports_names_var_entropy\" | \"threat.indicator.file.elf.go_stripped\" | \"threat.indicator.file.elf.header.abi_version\" | \"threat.indicator.file.elf.header.class\" | \"threat.indicator.file.elf.header.data\" | \"threat.indicator.file.elf.header.entrypoint\" | \"threat.indicator.file.elf.header.object_version\" | \"threat.indicator.file.elf.header.os_abi\" | \"threat.indicator.file.elf.header.type\" | \"threat.indicator.file.elf.header.version\" | \"threat.indicator.file.elf.import_hash\" | \"threat.indicator.file.elf.imports\" | \"threat.indicator.file.elf.imports_names_entropy\" | \"threat.indicator.file.elf.imports_names_var_entropy\" | \"threat.indicator.file.elf.sections\" | \"threat.indicator.file.elf.segments\" | \"threat.indicator.file.elf.shared_libraries\" | \"threat.indicator.file.elf.telfhash\" | \"threat.indicator.file.extension\" | \"threat.indicator.file.fork_name\" | \"threat.indicator.file.gid\" | \"threat.indicator.file.group\" | \"threat.indicator.file.hash.md5\" | \"threat.indicator.file.hash.sha1\" | \"threat.indicator.file.hash.sha256\" | \"threat.indicator.file.hash.sha384\" | \"threat.indicator.file.hash.sha512\" | \"threat.indicator.file.hash.ssdeep\" | \"threat.indicator.file.hash.tlsh\" | \"threat.indicator.file.inode\" | \"threat.indicator.file.mime_type\" | \"threat.indicator.file.mode\" | \"threat.indicator.file.mtime\" | \"threat.indicator.file.name\" | \"threat.indicator.file.owner\" | \"threat.indicator.file.path\" | \"threat.indicator.file.pe.architecture\" | \"threat.indicator.file.pe.company\" | \"threat.indicator.file.pe.description\" | \"threat.indicator.file.pe.file_version\" | \"threat.indicator.file.pe.go_import_hash\" | \"threat.indicator.file.pe.go_imports\" | \"threat.indicator.file.pe.go_imports_names_entropy\" | \"threat.indicator.file.pe.go_imports_names_var_entropy\" | \"threat.indicator.file.pe.go_stripped\" | \"threat.indicator.file.pe.imphash\" | \"threat.indicator.file.pe.import_hash\" | \"threat.indicator.file.pe.imports\" | \"threat.indicator.file.pe.imports_names_entropy\" | \"threat.indicator.file.pe.imports_names_var_entropy\" | \"threat.indicator.file.pe.original_file_name\" | \"threat.indicator.file.pe.pehash\" | \"threat.indicator.file.pe.product\" | \"threat.indicator.file.pe.sections\" | \"threat.indicator.file.size\" | \"threat.indicator.file.target_path\" | \"threat.indicator.file.type\" | \"threat.indicator.file.uid\" | \"threat.indicator.file.x509.alternative_names\" | \"threat.indicator.file.x509.issuer.common_name\" | \"threat.indicator.file.x509.issuer.country\" | \"threat.indicator.file.x509.issuer.distinguished_name\" | \"threat.indicator.file.x509.issuer.locality\" | \"threat.indicator.file.x509.issuer.organization\" | \"threat.indicator.file.x509.issuer.organizational_unit\" | \"threat.indicator.file.x509.issuer.state_or_province\" | \"threat.indicator.file.x509.not_after\" | \"threat.indicator.file.x509.not_before\" | \"threat.indicator.file.x509.public_key_algorithm\" | \"threat.indicator.file.x509.public_key_curve\" | \"threat.indicator.file.x509.public_key_exponent\" | \"threat.indicator.file.x509.public_key_size\" | \"threat.indicator.file.x509.serial_number\" | \"threat.indicator.file.x509.signature_algorithm\" | \"threat.indicator.file.x509.subject.common_name\" | \"threat.indicator.file.x509.subject.country\" | \"threat.indicator.file.x509.subject.distinguished_name\" | \"threat.indicator.file.x509.subject.locality\" | \"threat.indicator.file.x509.subject.organization\" | \"threat.indicator.file.x509.subject.organizational_unit\" | \"threat.indicator.file.x509.subject.state_or_province\" | \"threat.indicator.file.x509.version_number\" | \"threat.indicator.first_seen\" | \"threat.indicator.geo.city_name\" | \"threat.indicator.geo.continent_code\" | \"threat.indicator.geo.continent_name\" | \"threat.indicator.geo.country_iso_code\" | \"threat.indicator.geo.country_name\" | \"threat.indicator.geo.location\" | \"threat.indicator.geo.name\" | \"threat.indicator.geo.postal_code\" | \"threat.indicator.geo.region_iso_code\" | \"threat.indicator.geo.region_name\" | \"threat.indicator.geo.timezone\" | \"threat.indicator.ip\" | \"threat.indicator.last_seen\" | \"threat.indicator.marking.tlp\" | \"threat.indicator.marking.tlp_version\" | \"threat.indicator.modified_at\" | \"threat.indicator.name\" | \"threat.indicator.port\" | \"threat.indicator.provider\" | \"threat.indicator.reference\" | \"threat.indicator.registry.data.bytes\" | \"threat.indicator.registry.data.strings\" | \"threat.indicator.registry.data.type\" | \"threat.indicator.registry.hive\" | \"threat.indicator.registry.key\" | \"threat.indicator.registry.path\" | \"threat.indicator.registry.value\" | \"threat.indicator.scanner_stats\" | \"threat.indicator.sightings\" | \"threat.indicator.type\" | \"threat.indicator.url.domain\" | \"threat.indicator.url.extension\" | \"threat.indicator.url.fragment\" | \"threat.indicator.url.full\" | \"threat.indicator.url.original\" | \"threat.indicator.url.password\" | \"threat.indicator.url.path\" | \"threat.indicator.url.port\" | \"threat.indicator.url.query\" | \"threat.indicator.url.registered_domain\" | \"threat.indicator.url.scheme\" | \"threat.indicator.url.subdomain\" | \"threat.indicator.url.top_level_domain\" | \"threat.indicator.url.username\" | \"threat.indicator.x509.alternative_names\" | \"threat.indicator.x509.issuer.common_name\" | \"threat.indicator.x509.issuer.country\" | \"threat.indicator.x509.issuer.distinguished_name\" | \"threat.indicator.x509.issuer.locality\" | \"threat.indicator.x509.issuer.organization\" | \"threat.indicator.x509.issuer.organizational_unit\" | \"threat.indicator.x509.issuer.state_or_province\" | \"threat.indicator.x509.not_after\" | \"threat.indicator.x509.not_before\" | \"threat.indicator.x509.public_key_algorithm\" | \"threat.indicator.x509.public_key_curve\" | \"threat.indicator.x509.public_key_exponent\" | \"threat.indicator.x509.public_key_size\" | \"threat.indicator.x509.serial_number\" | \"threat.indicator.x509.signature_algorithm\" | \"threat.indicator.x509.subject.common_name\" | \"threat.indicator.x509.subject.country\" | \"threat.indicator.x509.subject.distinguished_name\" | \"threat.indicator.x509.subject.locality\" | \"threat.indicator.x509.subject.organization\" | \"threat.indicator.x509.subject.organizational_unit\" | \"threat.indicator.x509.subject.state_or_province\" | \"threat.indicator.x509.version_number\" | \"threat.software.alias\" | \"threat.software.id\" | \"threat.software.name\" | \"threat.software.platforms\" | \"threat.software.reference\" | \"threat.software.type\" | \"threat.tactic.id\" | \"threat.tactic.name\" | \"threat.tactic.reference\" | \"threat.technique.id\" | \"threat.technique.name\" | \"threat.technique.reference\" | \"threat.technique.subtechnique.id\" | \"threat.technique.subtechnique.name\" | \"threat.technique.subtechnique.reference\" | \"tls.cipher\" | \"tls.client.certificate\" | \"tls.client.certificate_chain\" | \"tls.client.hash.md5\" | \"tls.client.hash.sha1\" | \"tls.client.hash.sha256\" | \"tls.client.issuer\" | \"tls.client.ja3\" | \"tls.client.not_after\" | \"tls.client.not_before\" | \"tls.client.server_name\" | \"tls.client.subject\" | \"tls.client.supported_ciphers\" | \"tls.client.x509.alternative_names\" | \"tls.client.x509.issuer.common_name\" | \"tls.client.x509.issuer.country\" | \"tls.client.x509.issuer.distinguished_name\" | \"tls.client.x509.issuer.locality\" | \"tls.client.x509.issuer.organization\" | \"tls.client.x509.issuer.organizational_unit\" | \"tls.client.x509.issuer.state_or_province\" | \"tls.client.x509.not_after\" | \"tls.client.x509.not_before\" | \"tls.client.x509.public_key_algorithm\" | \"tls.client.x509.public_key_curve\" | \"tls.client.x509.public_key_exponent\" | \"tls.client.x509.public_key_size\" | \"tls.client.x509.serial_number\" | \"tls.client.x509.signature_algorithm\" | \"tls.client.x509.subject.common_name\" | \"tls.client.x509.subject.country\" | \"tls.client.x509.subject.distinguished_name\" | \"tls.client.x509.subject.locality\" | \"tls.client.x509.subject.organization\" | \"tls.client.x509.subject.organizational_unit\" | \"tls.client.x509.subject.state_or_province\" | \"tls.client.x509.version_number\" | \"tls.curve\" | \"tls.established\" | \"tls.next_protocol\" | \"tls.resumed\" | \"tls.server.certificate\" | \"tls.server.certificate_chain\" | \"tls.server.hash.md5\" | \"tls.server.hash.sha1\" | \"tls.server.hash.sha256\" | \"tls.server.issuer\" | \"tls.server.ja3s\" | \"tls.server.not_after\" | \"tls.server.not_before\" | \"tls.server.subject\" | \"tls.server.x509.alternative_names\" | \"tls.server.x509.issuer.common_name\" | \"tls.server.x509.issuer.country\" | \"tls.server.x509.issuer.distinguished_name\" | \"tls.server.x509.issuer.locality\" | \"tls.server.x509.issuer.organization\" | \"tls.server.x509.issuer.organizational_unit\" | \"tls.server.x509.issuer.state_or_province\" | \"tls.server.x509.not_after\" | \"tls.server.x509.not_before\" | \"tls.server.x509.public_key_algorithm\" | \"tls.server.x509.public_key_curve\" | \"tls.server.x509.public_key_exponent\" | \"tls.server.x509.public_key_size\" | \"tls.server.x509.serial_number\" | \"tls.server.x509.signature_algorithm\" | \"tls.server.x509.subject.common_name\" | \"tls.server.x509.subject.country\" | \"tls.server.x509.subject.distinguished_name\" | \"tls.server.x509.subject.locality\" | \"tls.server.x509.subject.organization\" | \"tls.server.x509.subject.organizational_unit\" | \"tls.server.x509.subject.state_or_province\" | \"tls.server.x509.version_number\" | \"tls.version\" | \"tls.version_protocol\" | \"trace.id\" | \"transaction.id\" | \"url.domain\" | \"url.extension\" | \"url.fragment\" | \"url.full\" | \"url.original\" | \"url.password\" | \"url.path\" | \"url.port\" | \"url.query\" | \"url.registered_domain\" | \"url.scheme\" | \"url.subdomain\" | \"url.top_level_domain\" | \"url.username\" | \"user.changes.domain\" | \"user.changes.email\" | \"user.changes.full_name\" | \"user.changes.group.domain\" | \"user.changes.group.id\" | \"user.changes.group.name\" | \"user.changes.hash\" | \"user.changes.id\" | \"user.changes.name\" | \"user.changes.roles\" | \"user.domain\" | \"user.effective.domain\" | \"user.effective.email\" | \"user.effective.full_name\" | \"user.effective.group.domain\" | \"user.effective.group.id\" | \"user.effective.group.name\" | \"user.effective.hash\" | \"user.effective.id\" | \"user.effective.name\" | \"user.effective.roles\" | \"user.email\" | \"user.full_name\" | \"user.group.domain\" | \"user.group.id\" | \"user.group.name\" | \"user.hash\" | \"user.id\" | \"user.name\" | \"user.risk.calculated_level\" | \"user.risk.calculated_score\" | \"user.risk.calculated_score_norm\" | \"user.risk.static_level\" | \"user.risk.static_score\" | \"user.risk.static_score_norm\" | \"user.roles\" | \"user.target.domain\" | \"user.target.email\" | \"user.target.full_name\" | \"user.target.group.domain\" | \"user.target.group.id\" | \"user.target.group.name\" | \"user.target.hash\" | \"user.target.id\" | \"user.target.name\" | \"user.target.roles\" | \"user_agent.device.name\" | \"user_agent.name\" | \"user_agent.original\" | \"user_agent.os.family\" | \"user_agent.os.full\" | \"user_agent.os.kernel\" | \"user_agent.os.name\" | \"user_agent.os.platform\" | \"user_agent.os.type\" | \"user_agent.os.version\" | \"user_agent.version\" | \"vulnerability.category\" | \"vulnerability.classification\" | \"vulnerability.description\" | \"vulnerability.enumeration\" | \"vulnerability.id\" | \"vulnerability.reference\" | \"vulnerability.report_id\" | \"vulnerability.scanner.vendor\" | \"vulnerability.score.base\" | \"vulnerability.score.environmental\" | \"vulnerability.score.temporal\" | \"vulnerability.score.version\" | \"vulnerability.severity\" | \"data_stream.dataset\" | \"data_stream.namespace\" | \"data_stream.type\" | \"dll.pe.sections.entropy\" | \"dll.pe.sections.name\" | \"dll.pe.sections.physical_size\" | \"dll.pe.sections.var_entropy\" | \"dll.pe.sections.virtual_size\" | \"dns.answers.class\" | \"dns.answers.data\" | \"dns.answers.name\" | \"dns.answers.ttl\" | \"dns.answers.type\" | \"email.attachments.file.extension\" | \"email.attachments.file.hash.md5\" | \"email.attachments.file.hash.sha1\" | \"email.attachments.file.hash.sha256\" | \"email.attachments.file.hash.sha384\" | \"email.attachments.file.hash.sha512\" | \"email.attachments.file.hash.ssdeep\" | \"email.attachments.file.hash.tlsh\" | \"email.attachments.file.mime_type\" | \"email.attachments.file.name\" | \"email.attachments.file.size\" | \"faas.trigger.request_id\" | \"faas.trigger.type\" | \"file.elf.sections.chi2\" | \"file.elf.sections.entropy\" | \"file.elf.sections.flags\" | \"file.elf.sections.name\" | \"file.elf.sections.physical_offset\" | \"file.elf.sections.physical_size\" | \"file.elf.sections.type\" | \"file.elf.sections.var_entropy\" | \"file.elf.sections.virtual_address\" | \"file.elf.sections.virtual_size\" | \"file.elf.segments.sections\" | \"file.elf.segments.type\" | \"file.macho.sections.entropy\" | \"file.macho.sections.name\" | \"file.macho.sections.physical_size\" | \"file.macho.sections.var_entropy\" | \"file.macho.sections.virtual_size\" | \"file.pe.sections.entropy\" | \"file.pe.sections.name\" | \"file.pe.sections.physical_size\" | \"file.pe.sections.var_entropy\" | \"file.pe.sections.virtual_size\" | \"log.syslog.appname\" | \"log.syslog.facility.code\" | \"log.syslog.facility.name\" | \"log.syslog.hostname\" | \"log.syslog.msgid\" | \"log.syslog.priority\" | \"log.syslog.procid\" | \"log.syslog.severity.code\" | \"log.syslog.severity.name\" | \"log.syslog.structured_data\" | \"log.syslog.version\" | \"network.inner.vlan.id\" | \"network.inner.vlan.name\" | \"observer.egress.interface.alias\" | \"observer.egress.interface.id\" | \"observer.egress.interface.name\" | \"observer.egress.vlan.id\" | \"observer.egress.vlan.name\" | \"observer.egress.zone\" | \"observer.ingress.interface.alias\" | \"observer.ingress.interface.id\" | \"observer.ingress.interface.name\" | \"observer.ingress.vlan.id\" | \"observer.ingress.vlan.name\" | \"observer.ingress.zone\" | \"process.elf.sections.chi2\" | \"process.elf.sections.entropy\" | \"process.elf.sections.flags\" | \"process.elf.sections.name\" | \"process.elf.sections.physical_offset\" | \"process.elf.sections.physical_size\" | \"process.elf.sections.type\" | \"process.elf.sections.var_entropy\" | \"process.elf.sections.virtual_address\" | \"process.elf.sections.virtual_size\" | \"process.elf.segments.sections\" | \"process.elf.segments.type\" | \"process.entry_leader.tty.char_device.major\" | \"process.entry_leader.tty.char_device.minor\" | \"process.group_leader.tty.char_device.major\" | \"process.group_leader.tty.char_device.minor\" | \"process.io.bytes_skipped\" | \"process.io.bytes_skipped.length\" | \"process.io.bytes_skipped.offset\" | \"process.io.max_bytes_per_process_exceeded\" | \"process.io.text\" | \"process.io.total_bytes_captured\" | \"process.io.total_bytes_skipped\" | \"process.io.type\" | \"process.macho.sections.entropy\" | \"process.macho.sections.name\" | \"process.macho.sections.physical_size\" | \"process.macho.sections.var_entropy\" | \"process.macho.sections.virtual_size\" | \"process.parent.elf.sections.chi2\" | \"process.parent.elf.sections.entropy\" | \"process.parent.elf.sections.flags\" | \"process.parent.elf.sections.name\" | \"process.parent.elf.sections.physical_offset\" | \"process.parent.elf.sections.physical_size\" | \"process.parent.elf.sections.type\" | \"process.parent.elf.sections.var_entropy\" | \"process.parent.elf.sections.virtual_address\" | \"process.parent.elf.sections.virtual_size\" | \"process.parent.elf.segments.sections\" | \"process.parent.elf.segments.type\" | \"process.parent.macho.sections.entropy\" | \"process.parent.macho.sections.name\" | \"process.parent.macho.sections.physical_size\" | \"process.parent.macho.sections.var_entropy\" | \"process.parent.macho.sections.virtual_size\" | \"process.parent.pe.sections.entropy\" | \"process.parent.pe.sections.name\" | \"process.parent.pe.sections.physical_size\" | \"process.parent.pe.sections.var_entropy\" | \"process.parent.pe.sections.virtual_size\" | \"process.parent.tty.char_device.major\" | \"process.parent.tty.char_device.minor\" | \"process.pe.sections.entropy\" | \"process.pe.sections.name\" | \"process.pe.sections.physical_size\" | \"process.pe.sections.var_entropy\" | \"process.pe.sections.virtual_size\" | \"process.session_leader.tty.char_device.major\" | \"process.session_leader.tty.char_device.minor\" | \"process.tty.char_device.major\" | \"process.tty.char_device.minor\" | \"process.tty.columns\" | \"process.tty.rows\" | \"threat.enrichments.indicator\" | \"threat.enrichments.indicator.as.number\" | \"threat.enrichments.indicator.as.organization.name\" | \"threat.enrichments.indicator.confidence\" | \"threat.enrichments.indicator.description\" | \"threat.enrichments.indicator.email.address\" | \"threat.enrichments.indicator.file.accessed\" | \"threat.enrichments.indicator.file.attributes\" | \"threat.enrichments.indicator.file.code_signature.digest_algorithm\" | \"threat.enrichments.indicator.file.code_signature.exists\" | \"threat.enrichments.indicator.file.code_signature.signing_id\" | \"threat.enrichments.indicator.file.code_signature.status\" | \"threat.enrichments.indicator.file.code_signature.subject_name\" | \"threat.enrichments.indicator.file.code_signature.team_id\" | \"threat.enrichments.indicator.file.code_signature.timestamp\" | \"threat.enrichments.indicator.file.code_signature.trusted\" | \"threat.enrichments.indicator.file.code_signature.valid\" | \"threat.enrichments.indicator.file.created\" | \"threat.enrichments.indicator.file.ctime\" | \"threat.enrichments.indicator.file.device\" | \"threat.enrichments.indicator.file.directory\" | \"threat.enrichments.indicator.file.drive_letter\" | \"threat.enrichments.indicator.file.elf.architecture\" | \"threat.enrichments.indicator.file.elf.byte_order\" | \"threat.enrichments.indicator.file.elf.cpu_type\" | \"threat.enrichments.indicator.file.elf.creation_date\" | \"threat.enrichments.indicator.file.elf.exports\" | \"threat.enrichments.indicator.file.elf.go_import_hash\" | \"threat.enrichments.indicator.file.elf.go_imports\" | \"threat.enrichments.indicator.file.elf.go_imports_names_entropy\" | \"threat.enrichments.indicator.file.elf.go_imports_names_var_entropy\" | \"threat.enrichments.indicator.file.elf.go_stripped\" | \"threat.enrichments.indicator.file.elf.header.abi_version\" | \"threat.enrichments.indicator.file.elf.header.class\" | \"threat.enrichments.indicator.file.elf.header.data\" | \"threat.enrichments.indicator.file.elf.header.entrypoint\" | \"threat.enrichments.indicator.file.elf.header.object_version\" | \"threat.enrichments.indicator.file.elf.header.os_abi\" | \"threat.enrichments.indicator.file.elf.header.type\" | \"threat.enrichments.indicator.file.elf.header.version\" | \"threat.enrichments.indicator.file.elf.import_hash\" | \"threat.enrichments.indicator.file.elf.imports\" | \"threat.enrichments.indicator.file.elf.imports_names_entropy\" | \"threat.enrichments.indicator.file.elf.imports_names_var_entropy\" | \"threat.enrichments.indicator.file.elf.sections\" | \"threat.enrichments.indicator.file.elf.sections.chi2\" | \"threat.enrichments.indicator.file.elf.sections.entropy\" | \"threat.enrichments.indicator.file.elf.sections.flags\" | \"threat.enrichments.indicator.file.elf.sections.name\" | \"threat.enrichments.indicator.file.elf.sections.physical_offset\" | \"threat.enrichments.indicator.file.elf.sections.physical_size\" | \"threat.enrichments.indicator.file.elf.sections.type\" | \"threat.enrichments.indicator.file.elf.sections.var_entropy\" | \"threat.enrichments.indicator.file.elf.sections.virtual_address\" | \"threat.enrichments.indicator.file.elf.sections.virtual_size\" | \"threat.enrichments.indicator.file.elf.segments\" | \"threat.enrichments.indicator.file.elf.segments.sections\" | \"threat.enrichments.indicator.file.elf.segments.type\" | \"threat.enrichments.indicator.file.elf.shared_libraries\" | \"threat.enrichments.indicator.file.elf.telfhash\" | \"threat.enrichments.indicator.file.extension\" | \"threat.enrichments.indicator.file.fork_name\" | \"threat.enrichments.indicator.file.gid\" | \"threat.enrichments.indicator.file.group\" | \"threat.enrichments.indicator.file.hash.md5\" | \"threat.enrichments.indicator.file.hash.sha1\" | \"threat.enrichments.indicator.file.hash.sha256\" | \"threat.enrichments.indicator.file.hash.sha384\" | \"threat.enrichments.indicator.file.hash.sha512\" | \"threat.enrichments.indicator.file.hash.ssdeep\" | \"threat.enrichments.indicator.file.hash.tlsh\" | \"threat.enrichments.indicator.file.inode\" | \"threat.enrichments.indicator.file.mime_type\" | \"threat.enrichments.indicator.file.mode\" | \"threat.enrichments.indicator.file.mtime\" | \"threat.enrichments.indicator.file.name\" | \"threat.enrichments.indicator.file.owner\" | \"threat.enrichments.indicator.file.path\" | \"threat.enrichments.indicator.file.pe.architecture\" | \"threat.enrichments.indicator.file.pe.company\" | \"threat.enrichments.indicator.file.pe.description\" | \"threat.enrichments.indicator.file.pe.file_version\" | \"threat.enrichments.indicator.file.pe.go_import_hash\" | \"threat.enrichments.indicator.file.pe.go_imports\" | \"threat.enrichments.indicator.file.pe.go_imports_names_entropy\" | \"threat.enrichments.indicator.file.pe.go_imports_names_var_entropy\" | \"threat.enrichments.indicator.file.pe.go_stripped\" | \"threat.enrichments.indicator.file.pe.imphash\" | \"threat.enrichments.indicator.file.pe.import_hash\" | \"threat.enrichments.indicator.file.pe.imports\" | \"threat.enrichments.indicator.file.pe.imports_names_entropy\" | \"threat.enrichments.indicator.file.pe.imports_names_var_entropy\" | \"threat.enrichments.indicator.file.pe.original_file_name\" | \"threat.enrichments.indicator.file.pe.pehash\" | \"threat.enrichments.indicator.file.pe.product\" | \"threat.enrichments.indicator.file.pe.sections\" | \"threat.enrichments.indicator.file.pe.sections.entropy\" | \"threat.enrichments.indicator.file.pe.sections.name\" | \"threat.enrichments.indicator.file.pe.sections.physical_size\" | \"threat.enrichments.indicator.file.pe.sections.var_entropy\" | \"threat.enrichments.indicator.file.pe.sections.virtual_size\" | \"threat.enrichments.indicator.file.size\" | \"threat.enrichments.indicator.file.target_path\" | \"threat.enrichments.indicator.file.type\" | \"threat.enrichments.indicator.file.uid\" | \"threat.enrichments.indicator.file.x509.alternative_names\" | \"threat.enrichments.indicator.file.x509.issuer.common_name\" | \"threat.enrichments.indicator.file.x509.issuer.country\" | \"threat.enrichments.indicator.file.x509.issuer.distinguished_name\" | \"threat.enrichments.indicator.file.x509.issuer.locality\" | \"threat.enrichments.indicator.file.x509.issuer.organization\" | \"threat.enrichments.indicator.file.x509.issuer.organizational_unit\" | \"threat.enrichments.indicator.file.x509.issuer.state_or_province\" | \"threat.enrichments.indicator.file.x509.not_after\" | \"threat.enrichments.indicator.file.x509.not_before\" | \"threat.enrichments.indicator.file.x509.public_key_algorithm\" | \"threat.enrichments.indicator.file.x509.public_key_curve\" | \"threat.enrichments.indicator.file.x509.public_key_exponent\" | \"threat.enrichments.indicator.file.x509.public_key_size\" | \"threat.enrichments.indicator.file.x509.serial_number\" | \"threat.enrichments.indicator.file.x509.signature_algorithm\" | \"threat.enrichments.indicator.file.x509.subject.common_name\" | \"threat.enrichments.indicator.file.x509.subject.country\" | \"threat.enrichments.indicator.file.x509.subject.distinguished_name\" | \"threat.enrichments.indicator.file.x509.subject.locality\" | \"threat.enrichments.indicator.file.x509.subject.organization\" | \"threat.enrichments.indicator.file.x509.subject.organizational_unit\" | \"threat.enrichments.indicator.file.x509.subject.state_or_province\" | \"threat.enrichments.indicator.file.x509.version_number\" | \"threat.enrichments.indicator.first_seen\" | \"threat.enrichments.indicator.geo.city_name\" | \"threat.enrichments.indicator.geo.continent_code\" | \"threat.enrichments.indicator.geo.continent_name\" | \"threat.enrichments.indicator.geo.country_iso_code\" | \"threat.enrichments.indicator.geo.country_name\" | \"threat.enrichments.indicator.geo.location\" | \"threat.enrichments.indicator.geo.name\" | \"threat.enrichments.indicator.geo.postal_code\" | \"threat.enrichments.indicator.geo.region_iso_code\" | \"threat.enrichments.indicator.geo.region_name\" | \"threat.enrichments.indicator.geo.timezone\" | \"threat.enrichments.indicator.ip\" | \"threat.enrichments.indicator.last_seen\" | \"threat.enrichments.indicator.marking.tlp\" | \"threat.enrichments.indicator.marking.tlp_version\" | \"threat.enrichments.indicator.modified_at\" | \"threat.enrichments.indicator.name\" | \"threat.enrichments.indicator.port\" | \"threat.enrichments.indicator.provider\" | \"threat.enrichments.indicator.reference\" | \"threat.enrichments.indicator.registry.data.bytes\" | \"threat.enrichments.indicator.registry.data.strings\" | \"threat.enrichments.indicator.registry.data.type\" | \"threat.enrichments.indicator.registry.hive\" | \"threat.enrichments.indicator.registry.key\" | \"threat.enrichments.indicator.registry.path\" | \"threat.enrichments.indicator.registry.value\" | \"threat.enrichments.indicator.scanner_stats\" | \"threat.enrichments.indicator.sightings\" | \"threat.enrichments.indicator.type\" | \"threat.enrichments.indicator.url.domain\" | \"threat.enrichments.indicator.url.extension\" | \"threat.enrichments.indicator.url.fragment\" | \"threat.enrichments.indicator.url.full\" | \"threat.enrichments.indicator.url.original\" | \"threat.enrichments.indicator.url.password\" | \"threat.enrichments.indicator.url.path\" | \"threat.enrichments.indicator.url.port\" | \"threat.enrichments.indicator.url.query\" | \"threat.enrichments.indicator.url.registered_domain\" | \"threat.enrichments.indicator.url.scheme\" | \"threat.enrichments.indicator.url.subdomain\" | \"threat.enrichments.indicator.url.top_level_domain\" | \"threat.enrichments.indicator.url.username\" | \"threat.enrichments.indicator.x509.alternative_names\" | \"threat.enrichments.indicator.x509.issuer.common_name\" | \"threat.enrichments.indicator.x509.issuer.country\" | \"threat.enrichments.indicator.x509.issuer.distinguished_name\" | \"threat.enrichments.indicator.x509.issuer.locality\" | \"threat.enrichments.indicator.x509.issuer.organization\" | \"threat.enrichments.indicator.x509.issuer.organizational_unit\" | \"threat.enrichments.indicator.x509.issuer.state_or_province\" | \"threat.enrichments.indicator.x509.not_after\" | \"threat.enrichments.indicator.x509.not_before\" | \"threat.enrichments.indicator.x509.public_key_algorithm\" | \"threat.enrichments.indicator.x509.public_key_curve\" | \"threat.enrichments.indicator.x509.public_key_exponent\" | \"threat.enrichments.indicator.x509.public_key_size\" | \"threat.enrichments.indicator.x509.serial_number\" | \"threat.enrichments.indicator.x509.signature_algorithm\" | \"threat.enrichments.indicator.x509.subject.common_name\" | \"threat.enrichments.indicator.x509.subject.country\" | \"threat.enrichments.indicator.x509.subject.distinguished_name\" | \"threat.enrichments.indicator.x509.subject.locality\" | \"threat.enrichments.indicator.x509.subject.organization\" | \"threat.enrichments.indicator.x509.subject.organizational_unit\" | \"threat.enrichments.indicator.x509.subject.state_or_province\" | \"threat.enrichments.indicator.x509.version_number\" | \"threat.enrichments.matched.atomic\" | \"threat.enrichments.matched.field\" | \"threat.enrichments.matched.id\" | \"threat.enrichments.matched.index\" | \"threat.enrichments.matched.occurred\" | \"threat.enrichments.matched.type\" | \"threat.indicator.file.elf.sections.chi2\" | \"threat.indicator.file.elf.sections.entropy\" | \"threat.indicator.file.elf.sections.flags\" | \"threat.indicator.file.elf.sections.name\" | \"threat.indicator.file.elf.sections.physical_offset\" | \"threat.indicator.file.elf.sections.physical_size\" | \"threat.indicator.file.elf.sections.type\" | \"threat.indicator.file.elf.sections.var_entropy\" | \"threat.indicator.file.elf.sections.virtual_address\" | \"threat.indicator.file.elf.sections.virtual_size\" | \"threat.indicator.file.elf.segments.sections\" | \"threat.indicator.file.elf.segments.type\" | \"threat.indicator.file.pe.sections.entropy\" | \"threat.indicator.file.pe.sections.name\" | \"threat.indicator.file.pe.sections.physical_size\" | \"threat.indicator.file.pe.sections.var_entropy\" | \"threat.indicator.file.pe.sections.virtual_size\"" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -675,7 +675,7 @@ "signature": [ "\"source\" | \"type\" | \"normalize\" | \"short\" | \"format\" | \"name\" | \"index\" | \"description\" | \"pattern\" | \"doc_values\" | \"ignore_above\" | \"required\" | \"beta\" | \"level\" | \"allowed_values\" | \"dashed_name\" | \"example\" | \"expected_values\" | \"flat_name\" | \"input_format\" | \"multi_fields\" | \"object_type\" | \"original_fieldset\" | \"output_format\" | \"output_precision\" | \"scaling_factor\" | \"documentation_url\"" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -690,7 +690,7 @@ "signature": [ "{ name: string; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -713,7 +713,7 @@ }, " | \"data_stream.dataset\" | \"data_stream.namespace\" | \"data_stream.type\" | \"dll.pe.sections.entropy\" | \"dll.pe.sections.name\" | \"dll.pe.sections.physical_size\" | \"dll.pe.sections.var_entropy\" | \"dll.pe.sections.virtual_size\" | \"dns.answers.class\" | \"dns.answers.data\" | \"dns.answers.name\" | \"dns.answers.ttl\" | \"dns.answers.type\" | \"email.attachments.file.extension\" | \"email.attachments.file.hash.md5\" | \"email.attachments.file.hash.sha1\" | \"email.attachments.file.hash.sha256\" | \"email.attachments.file.hash.sha384\" | \"email.attachments.file.hash.sha512\" | \"email.attachments.file.hash.ssdeep\" | \"email.attachments.file.hash.tlsh\" | \"email.attachments.file.mime_type\" | \"email.attachments.file.name\" | \"email.attachments.file.size\" | \"faas.trigger.request_id\" | \"faas.trigger.type\" | \"file.elf.sections.chi2\" | \"file.elf.sections.entropy\" | \"file.elf.sections.flags\" | \"file.elf.sections.name\" | \"file.elf.sections.physical_offset\" | \"file.elf.sections.physical_size\" | \"file.elf.sections.type\" | \"file.elf.sections.var_entropy\" | \"file.elf.sections.virtual_address\" | \"file.elf.sections.virtual_size\" | \"file.elf.segments.sections\" | \"file.elf.segments.type\" | \"file.macho.sections.entropy\" | \"file.macho.sections.name\" | \"file.macho.sections.physical_size\" | \"file.macho.sections.var_entropy\" | \"file.macho.sections.virtual_size\" | \"file.pe.sections.entropy\" | \"file.pe.sections.name\" | \"file.pe.sections.physical_size\" | \"file.pe.sections.var_entropy\" | \"file.pe.sections.virtual_size\" | \"log.syslog.appname\" | \"log.syslog.facility.code\" | \"log.syslog.facility.name\" | \"log.syslog.hostname\" | \"log.syslog.msgid\" | \"log.syslog.priority\" | \"log.syslog.procid\" | \"log.syslog.severity.code\" | \"log.syslog.severity.name\" | \"log.syslog.structured_data\" | \"log.syslog.version\" | \"network.inner.vlan.id\" | \"network.inner.vlan.name\" | \"observer.egress.interface.alias\" | \"observer.egress.interface.id\" | \"observer.egress.interface.name\" | \"observer.egress.vlan.id\" | \"observer.egress.vlan.name\" | \"observer.egress.zone\" | \"observer.ingress.interface.alias\" | \"observer.ingress.interface.id\" | \"observer.ingress.interface.name\" | \"observer.ingress.vlan.id\" | \"observer.ingress.vlan.name\" | \"observer.ingress.zone\" | \"process.elf.sections.chi2\" | \"process.elf.sections.entropy\" | \"process.elf.sections.flags\" | \"process.elf.sections.name\" | \"process.elf.sections.physical_offset\" | \"process.elf.sections.physical_size\" | \"process.elf.sections.type\" | \"process.elf.sections.var_entropy\" | \"process.elf.sections.virtual_address\" | \"process.elf.sections.virtual_size\" | \"process.elf.segments.sections\" | \"process.elf.segments.type\" | \"process.entry_leader.tty.char_device.major\" | \"process.entry_leader.tty.char_device.minor\" | \"process.group_leader.tty.char_device.major\" | \"process.group_leader.tty.char_device.minor\" | \"process.io.bytes_skipped\" | \"process.io.bytes_skipped.length\" | \"process.io.bytes_skipped.offset\" | \"process.io.max_bytes_per_process_exceeded\" | \"process.io.text\" | \"process.io.total_bytes_captured\" | \"process.io.total_bytes_skipped\" | \"process.io.type\" | \"process.macho.sections.entropy\" | \"process.macho.sections.name\" | \"process.macho.sections.physical_size\" | \"process.macho.sections.var_entropy\" | \"process.macho.sections.virtual_size\" | \"process.parent.elf.sections.chi2\" | \"process.parent.elf.sections.entropy\" | \"process.parent.elf.sections.flags\" | \"process.parent.elf.sections.name\" | \"process.parent.elf.sections.physical_offset\" | \"process.parent.elf.sections.physical_size\" | \"process.parent.elf.sections.type\" | \"process.parent.elf.sections.var_entropy\" | \"process.parent.elf.sections.virtual_address\" | \"process.parent.elf.sections.virtual_size\" | \"process.parent.elf.segments.sections\" | \"process.parent.elf.segments.type\" | \"process.parent.macho.sections.entropy\" | \"process.parent.macho.sections.name\" | \"process.parent.macho.sections.physical_size\" | \"process.parent.macho.sections.var_entropy\" | \"process.parent.macho.sections.virtual_size\" | \"process.parent.pe.sections.entropy\" | \"process.parent.pe.sections.name\" | \"process.parent.pe.sections.physical_size\" | \"process.parent.pe.sections.var_entropy\" | \"process.parent.pe.sections.virtual_size\" | \"process.parent.tty.char_device.major\" | \"process.parent.tty.char_device.minor\" | \"process.pe.sections.entropy\" | \"process.pe.sections.name\" | \"process.pe.sections.physical_size\" | \"process.pe.sections.var_entropy\" | \"process.pe.sections.virtual_size\" | \"process.session_leader.tty.char_device.major\" | \"process.session_leader.tty.char_device.minor\" | \"process.tty.char_device.major\" | \"process.tty.char_device.minor\" | \"process.tty.columns\" | \"process.tty.rows\" | \"threat.enrichments.indicator\" | \"threat.enrichments.indicator.as.number\" | \"threat.enrichments.indicator.as.organization.name\" | \"threat.enrichments.indicator.confidence\" | \"threat.enrichments.indicator.description\" | \"threat.enrichments.indicator.email.address\" | \"threat.enrichments.indicator.file.accessed\" | \"threat.enrichments.indicator.file.attributes\" | \"threat.enrichments.indicator.file.code_signature.digest_algorithm\" | \"threat.enrichments.indicator.file.code_signature.exists\" | \"threat.enrichments.indicator.file.code_signature.signing_id\" | \"threat.enrichments.indicator.file.code_signature.status\" | \"threat.enrichments.indicator.file.code_signature.subject_name\" | \"threat.enrichments.indicator.file.code_signature.team_id\" | \"threat.enrichments.indicator.file.code_signature.timestamp\" | \"threat.enrichments.indicator.file.code_signature.trusted\" | \"threat.enrichments.indicator.file.code_signature.valid\" | \"threat.enrichments.indicator.file.created\" | \"threat.enrichments.indicator.file.ctime\" | \"threat.enrichments.indicator.file.device\" | \"threat.enrichments.indicator.file.directory\" | \"threat.enrichments.indicator.file.drive_letter\" | \"threat.enrichments.indicator.file.elf.architecture\" | \"threat.enrichments.indicator.file.elf.byte_order\" | \"threat.enrichments.indicator.file.elf.cpu_type\" | \"threat.enrichments.indicator.file.elf.creation_date\" | \"threat.enrichments.indicator.file.elf.exports\" | \"threat.enrichments.indicator.file.elf.go_import_hash\" | \"threat.enrichments.indicator.file.elf.go_imports\" | \"threat.enrichments.indicator.file.elf.go_imports_names_entropy\" | \"threat.enrichments.indicator.file.elf.go_imports_names_var_entropy\" | \"threat.enrichments.indicator.file.elf.go_stripped\" | \"threat.enrichments.indicator.file.elf.header.abi_version\" | \"threat.enrichments.indicator.file.elf.header.class\" | \"threat.enrichments.indicator.file.elf.header.data\" | \"threat.enrichments.indicator.file.elf.header.entrypoint\" | \"threat.enrichments.indicator.file.elf.header.object_version\" | \"threat.enrichments.indicator.file.elf.header.os_abi\" | \"threat.enrichments.indicator.file.elf.header.type\" | \"threat.enrichments.indicator.file.elf.header.version\" | \"threat.enrichments.indicator.file.elf.import_hash\" | \"threat.enrichments.indicator.file.elf.imports\" | \"threat.enrichments.indicator.file.elf.imports_names_entropy\" | \"threat.enrichments.indicator.file.elf.imports_names_var_entropy\" | \"threat.enrichments.indicator.file.elf.sections\" | \"threat.enrichments.indicator.file.elf.sections.chi2\" | \"threat.enrichments.indicator.file.elf.sections.entropy\" | \"threat.enrichments.indicator.file.elf.sections.flags\" | \"threat.enrichments.indicator.file.elf.sections.name\" | \"threat.enrichments.indicator.file.elf.sections.physical_offset\" | \"threat.enrichments.indicator.file.elf.sections.physical_size\" | \"threat.enrichments.indicator.file.elf.sections.type\" | \"threat.enrichments.indicator.file.elf.sections.var_entropy\" | \"threat.enrichments.indicator.file.elf.sections.virtual_address\" | \"threat.enrichments.indicator.file.elf.sections.virtual_size\" | \"threat.enrichments.indicator.file.elf.segments\" | \"threat.enrichments.indicator.file.elf.segments.sections\" | \"threat.enrichments.indicator.file.elf.segments.type\" | \"threat.enrichments.indicator.file.elf.shared_libraries\" | \"threat.enrichments.indicator.file.elf.telfhash\" | \"threat.enrichments.indicator.file.extension\" | \"threat.enrichments.indicator.file.fork_name\" | \"threat.enrichments.indicator.file.gid\" | \"threat.enrichments.indicator.file.group\" | \"threat.enrichments.indicator.file.hash.md5\" | \"threat.enrichments.indicator.file.hash.sha1\" | \"threat.enrichments.indicator.file.hash.sha256\" | \"threat.enrichments.indicator.file.hash.sha384\" | \"threat.enrichments.indicator.file.hash.sha512\" | \"threat.enrichments.indicator.file.hash.ssdeep\" | \"threat.enrichments.indicator.file.hash.tlsh\" | \"threat.enrichments.indicator.file.inode\" | \"threat.enrichments.indicator.file.mime_type\" | \"threat.enrichments.indicator.file.mode\" | \"threat.enrichments.indicator.file.mtime\" | \"threat.enrichments.indicator.file.name\" | \"threat.enrichments.indicator.file.owner\" | \"threat.enrichments.indicator.file.path\" | \"threat.enrichments.indicator.file.pe.architecture\" | \"threat.enrichments.indicator.file.pe.company\" | \"threat.enrichments.indicator.file.pe.description\" | \"threat.enrichments.indicator.file.pe.file_version\" | \"threat.enrichments.indicator.file.pe.go_import_hash\" | \"threat.enrichments.indicator.file.pe.go_imports\" | \"threat.enrichments.indicator.file.pe.go_imports_names_entropy\" | \"threat.enrichments.indicator.file.pe.go_imports_names_var_entropy\" | \"threat.enrichments.indicator.file.pe.go_stripped\" | \"threat.enrichments.indicator.file.pe.imphash\" | \"threat.enrichments.indicator.file.pe.import_hash\" | \"threat.enrichments.indicator.file.pe.imports\" | \"threat.enrichments.indicator.file.pe.imports_names_entropy\" | \"threat.enrichments.indicator.file.pe.imports_names_var_entropy\" | \"threat.enrichments.indicator.file.pe.original_file_name\" | \"threat.enrichments.indicator.file.pe.pehash\" | \"threat.enrichments.indicator.file.pe.product\" | \"threat.enrichments.indicator.file.pe.sections\" | \"threat.enrichments.indicator.file.pe.sections.entropy\" | \"threat.enrichments.indicator.file.pe.sections.name\" | \"threat.enrichments.indicator.file.pe.sections.physical_size\" | \"threat.enrichments.indicator.file.pe.sections.var_entropy\" | \"threat.enrichments.indicator.file.pe.sections.virtual_size\" | \"threat.enrichments.indicator.file.size\" | \"threat.enrichments.indicator.file.target_path\" | \"threat.enrichments.indicator.file.type\" | \"threat.enrichments.indicator.file.uid\" | \"threat.enrichments.indicator.file.x509.alternative_names\" | \"threat.enrichments.indicator.file.x509.issuer.common_name\" | \"threat.enrichments.indicator.file.x509.issuer.country\" | \"threat.enrichments.indicator.file.x509.issuer.distinguished_name\" | \"threat.enrichments.indicator.file.x509.issuer.locality\" | \"threat.enrichments.indicator.file.x509.issuer.organization\" | \"threat.enrichments.indicator.file.x509.issuer.organizational_unit\" | \"threat.enrichments.indicator.file.x509.issuer.state_or_province\" | \"threat.enrichments.indicator.file.x509.not_after\" | \"threat.enrichments.indicator.file.x509.not_before\" | \"threat.enrichments.indicator.file.x509.public_key_algorithm\" | \"threat.enrichments.indicator.file.x509.public_key_curve\" | \"threat.enrichments.indicator.file.x509.public_key_exponent\" | \"threat.enrichments.indicator.file.x509.public_key_size\" | \"threat.enrichments.indicator.file.x509.serial_number\" | \"threat.enrichments.indicator.file.x509.signature_algorithm\" | \"threat.enrichments.indicator.file.x509.subject.common_name\" | \"threat.enrichments.indicator.file.x509.subject.country\" | \"threat.enrichments.indicator.file.x509.subject.distinguished_name\" | \"threat.enrichments.indicator.file.x509.subject.locality\" | \"threat.enrichments.indicator.file.x509.subject.organization\" | \"threat.enrichments.indicator.file.x509.subject.organizational_unit\" | \"threat.enrichments.indicator.file.x509.subject.state_or_province\" | \"threat.enrichments.indicator.file.x509.version_number\" | \"threat.enrichments.indicator.first_seen\" | \"threat.enrichments.indicator.geo.city_name\" | \"threat.enrichments.indicator.geo.continent_code\" | \"threat.enrichments.indicator.geo.continent_name\" | \"threat.enrichments.indicator.geo.country_iso_code\" | \"threat.enrichments.indicator.geo.country_name\" | \"threat.enrichments.indicator.geo.location\" | \"threat.enrichments.indicator.geo.name\" | \"threat.enrichments.indicator.geo.postal_code\" | \"threat.enrichments.indicator.geo.region_iso_code\" | \"threat.enrichments.indicator.geo.region_name\" | \"threat.enrichments.indicator.geo.timezone\" | \"threat.enrichments.indicator.ip\" | \"threat.enrichments.indicator.last_seen\" | \"threat.enrichments.indicator.marking.tlp\" | \"threat.enrichments.indicator.marking.tlp_version\" | \"threat.enrichments.indicator.modified_at\" | \"threat.enrichments.indicator.name\" | \"threat.enrichments.indicator.port\" | \"threat.enrichments.indicator.provider\" | \"threat.enrichments.indicator.reference\" | \"threat.enrichments.indicator.registry.data.bytes\" | \"threat.enrichments.indicator.registry.data.strings\" | \"threat.enrichments.indicator.registry.data.type\" | \"threat.enrichments.indicator.registry.hive\" | \"threat.enrichments.indicator.registry.key\" | \"threat.enrichments.indicator.registry.path\" | \"threat.enrichments.indicator.registry.value\" | \"threat.enrichments.indicator.scanner_stats\" | \"threat.enrichments.indicator.sightings\" | \"threat.enrichments.indicator.type\" | \"threat.enrichments.indicator.url.domain\" | \"threat.enrichments.indicator.url.extension\" | \"threat.enrichments.indicator.url.fragment\" | \"threat.enrichments.indicator.url.full\" | \"threat.enrichments.indicator.url.original\" | \"threat.enrichments.indicator.url.password\" | \"threat.enrichments.indicator.url.path\" | \"threat.enrichments.indicator.url.port\" | \"threat.enrichments.indicator.url.query\" | \"threat.enrichments.indicator.url.registered_domain\" | \"threat.enrichments.indicator.url.scheme\" | \"threat.enrichments.indicator.url.subdomain\" | \"threat.enrichments.indicator.url.top_level_domain\" | \"threat.enrichments.indicator.url.username\" | \"threat.enrichments.indicator.x509.alternative_names\" | \"threat.enrichments.indicator.x509.issuer.common_name\" | \"threat.enrichments.indicator.x509.issuer.country\" | \"threat.enrichments.indicator.x509.issuer.distinguished_name\" | \"threat.enrichments.indicator.x509.issuer.locality\" | \"threat.enrichments.indicator.x509.issuer.organization\" | \"threat.enrichments.indicator.x509.issuer.organizational_unit\" | \"threat.enrichments.indicator.x509.issuer.state_or_province\" | \"threat.enrichments.indicator.x509.not_after\" | \"threat.enrichments.indicator.x509.not_before\" | \"threat.enrichments.indicator.x509.public_key_algorithm\" | \"threat.enrichments.indicator.x509.public_key_curve\" | \"threat.enrichments.indicator.x509.public_key_exponent\" | \"threat.enrichments.indicator.x509.public_key_size\" | \"threat.enrichments.indicator.x509.serial_number\" | \"threat.enrichments.indicator.x509.signature_algorithm\" | \"threat.enrichments.indicator.x509.subject.common_name\" | \"threat.enrichments.indicator.x509.subject.country\" | \"threat.enrichments.indicator.x509.subject.distinguished_name\" | \"threat.enrichments.indicator.x509.subject.locality\" | \"threat.enrichments.indicator.x509.subject.organization\" | \"threat.enrichments.indicator.x509.subject.organizational_unit\" | \"threat.enrichments.indicator.x509.subject.state_or_province\" | \"threat.enrichments.indicator.x509.version_number\" | \"threat.enrichments.matched.atomic\" | \"threat.enrichments.matched.field\" | \"threat.enrichments.matched.id\" | \"threat.enrichments.matched.index\" | \"threat.enrichments.matched.occurred\" | \"threat.enrichments.matched.type\" | \"threat.indicator.file.elf.sections.chi2\" | \"threat.indicator.file.elf.sections.entropy\" | \"threat.indicator.file.elf.sections.flags\" | \"threat.indicator.file.elf.sections.name\" | \"threat.indicator.file.elf.sections.physical_offset\" | \"threat.indicator.file.elf.sections.physical_size\" | \"threat.indicator.file.elf.sections.type\" | \"threat.indicator.file.elf.sections.var_entropy\" | \"threat.indicator.file.elf.sections.virtual_address\" | \"threat.indicator.file.elf.sections.virtual_size\" | \"threat.indicator.file.elf.segments.sections\" | \"threat.indicator.file.elf.segments.type\" | \"threat.indicator.file.pe.sections.entropy\" | \"threat.indicator.file.pe.sections.name\" | \"threat.indicator.file.pe.sections.physical_size\" | \"threat.indicator.file.pe.sections.var_entropy\" | \"threat.indicator.file.pe.sections.virtual_size\" | \"_size\" | \"_doc_count\" | \"_field_names\" | \"_meta\" | \"_tier\"" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -728,7 +728,7 @@ "signature": [ "string & {}" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -743,7 +743,7 @@ "signature": [ "{ name?: string | undefined; } & { allowed_values?: ({ description: string; name: string; } & { expected_event_types?: string[] | undefined; beta?: string | undefined; })[] | undefined; beta?: string | undefined; dashed_name?: string | undefined; description?: string | undefined; doc_values?: boolean | undefined; example?: unknown; expected_values?: string[] | undefined; flat_name?: string | undefined; format?: string | undefined; ignore_above?: number | undefined; index?: boolean | undefined; input_format?: string | undefined; level?: string | undefined; multi_fields?: { flat_name: string; name: string; type: string; }[] | undefined; normalize?: string[] | undefined; object_type?: string | undefined; original_fieldset?: string | undefined; output_format?: string | undefined; output_precision?: number | undefined; pattern?: string | undefined; required?: boolean | undefined; scaling_factor?: number | undefined; short?: string | undefined; source?: \"unknown\" | \"ecs\" | \"metadata\" | \"integration\" | undefined; type?: string | undefined; documentation_url?: string | undefined; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -758,7 +758,7 @@ "signature": [ "{ '@timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; required: boolean; short: string; type: string; }; 'agent.build.original': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'agent.ephemeral_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'agent.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'agent.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'agent.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'agent.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.address': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; pattern: string; short: string; type: string; }; 'client.nat.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.nat.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.packets': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'client.user.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'client.user.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'cloud.account.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.account.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.availability_zone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.instance.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.instance.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.machine.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.origin.account.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.account.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.availability_zone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.instance.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.instance.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.machine.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.project.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.project.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.region': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.origin.service.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.project.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.project.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.region': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.service.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'cloud.target.account.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.account.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.availability_zone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.instance.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.instance.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.machine.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.project.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.project.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.region': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'cloud.target.service.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'container.cpu.usage': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; scaling_factor: number; short: string; type: string; }; 'container.disk.read.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.disk.write.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.image.hash.all': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'container.image.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.image.tag': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'container.labels': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; object_type: string; short: string; type: string; }; 'container.memory.usage': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; scaling_factor: number; short: string; type: string; }; 'container.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.network.egress.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.network.ingress.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.runtime': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'container.security_context.privileged': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'data_stream.dataset': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'data_stream.namespace': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'data_stream.type': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.address': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; pattern: string; short: string; type: string; }; 'destination.nat.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.nat.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.packets': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'destination.user.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'destination.user.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'device.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'device.manufacturer': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'device.model.identifier': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'device.model.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dll.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dll.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dll.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dll.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'dns.answers': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'dns.answers.class': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.answers.data': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.answers.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.answers.ttl': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.answers.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.header_flags': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'dns.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.op_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.class': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.question.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.resolved_ip': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'dns.response_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'dns.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'ecs.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; required: boolean; short: string; type: string; }; 'email.attachments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.attachments.file.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.attachments.file.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'email.attachments.file.mime_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.attachments.file.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.attachments.file.size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.bcc.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.cc.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.content_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.delivery_timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.direction': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.from.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.local_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.message_id': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.origination_timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.reply_to.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.sender.address': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'email.subject': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'email.to.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'email.x_mailer': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'error.code': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'error.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'error.message': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'error.stack_trace': { dashed_name: string; description: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'error.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.action': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.agent_id_status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.category': { allowed_values: { description: string; expected_event_types: string[]; name: string; }[]; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'event.code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.created': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.dataset': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.duration': { dashed_name: string; description: string; flat_name: string; format: string; input_format: string; level: string; name: string; normalize: never[]; output_format: string; output_precision: number; short: string; type: string; }; 'event.end': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.ingested': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.kind': { allowed_values: ({ description: string; name: string; beta?: undefined; } | { beta: string; description: string; name: string; })[]; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.module': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.original': { dashed_name: string; description: string; doc_values: boolean; example: string; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.outcome': { allowed_values: { description: string; name: string; }[]; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.reason': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.risk_score': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.risk_score_norm': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.sequence': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.severity': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.start': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.timezone': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'event.type': { allowed_values: { description: string; name: string; }[]; dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'event.url': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.coldstart': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.execution': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.trigger.request_id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.trigger.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'faas.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.accessed': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.attributes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'file.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.created': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.ctime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.device': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.drive_letter': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.elf.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.byte_order': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.cpu_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.creation_date': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.exports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.elf.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.abi_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.class': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.data': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.entrypoint': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.object_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.os_abi': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.header.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.elf.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.chi2': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.flags': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.physical_offset': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.virtual_address': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.segments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.elf.segments.sections': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.segments.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.elf.shared_libraries': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.elf.telfhash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.fork_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.gid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.group': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.inode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.macho.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.macho.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.macho.symhash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.mime_type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.mode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.mtime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.owner': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'file.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.target_path': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'file.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.uid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'file.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'file.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.boot.id': { beta: string; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.cpu.usage': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; scaling_factor: number; short: string; type: string; }; 'host.disk.read.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.disk.write.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.hostname': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'host.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; pattern: string; short: string; type: string; }; 'host.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.network.egress.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.network.egress.packets': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.network.ingress.bytes': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.network.ingress.packets': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.os.family': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.full': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.kernel': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.platform': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.os.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.pid_ns_ino': { beta: string; dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.risk.calculated_level': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.risk.calculated_score': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.risk.calculated_score_norm': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.risk.static_level': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.risk.static_score': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.risk.static_score_norm': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'host.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'host.uptime': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.body.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.body.content': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'http.request.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.method': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.mime_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.request.referrer': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.response.body.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.response.body.content': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'http.response.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.response.mime_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.response.status_code': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'http.version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; labels: { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; object_type: string; short: string; type: string; }; 'log.file.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.level': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.logger': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.origin.file.line': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.origin.file.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.origin.function': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.appname': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.facility.code': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.facility.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.hostname': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.msgid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.priority': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.procid': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.severity.code': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.severity.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.structured_data': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'log.syslog.version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; message: { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.application': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.community_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.direction': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.forwarded_ip': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.iana_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.inner': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.inner.vlan.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'network.inner.vlan.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'network.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.packets': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.protocol': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.transport': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'network.vlan.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'network.vlan.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.egress.interface.alias': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress.interface.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress.interface.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress.vlan.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress.vlan.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.egress.zone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.hostname': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.ingress': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.ingress.interface.alias': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.ingress.interface.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.ingress.interface.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.ingress.vlan.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.ingress.vlan.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.ingress.zone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'observer.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; pattern: string; short: string; type: string; }; 'observer.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.os.family': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.full': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.kernel': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.platform': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.os.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'observer.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.serial_number': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.vendor': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'observer.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.api_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.cluster.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.cluster.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.cluster.url': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.cluster.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.namespace': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.resource.annotation': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'orchestrator.resource.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.resource.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'orchestrator.resource.label': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'orchestrator.resource.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.resource.parent.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.resource.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'orchestrator.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'organization.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'organization.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'package.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.build_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.checksum': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.install_scope': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.installed': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.license': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.size': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'package.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'process.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.command_line': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'process.elf.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.byte_order': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.cpu_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.creation_date': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.exports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.elf.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.abi_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.class': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.data': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.entrypoint': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.object_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.os_abi': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.header.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.elf.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.chi2': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.flags': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.physical_offset': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.virtual_address': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.segments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.elf.segments.sections': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.segments.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.elf.shared_libraries': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.elf.telfhash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.end': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.entry_leader.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.attested_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.attested_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.attested_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.command_line': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.entry_meta.source.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.entry_meta.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.interactive': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.session_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.session_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.session_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.session_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.parent.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.real_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.real_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.real_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.real_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.same_as_process': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.saved_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.saved_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.saved_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.saved_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.supplemental_groups.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.supplemental_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.tty': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.tty.char_device.major': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.tty.char_device.minor': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.entry_leader.working_directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.env_vars': { beta: string; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'process.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'process.exit_code': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.group_leader.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.command_line': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.interactive': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.real_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.real_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.real_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.real_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.same_as_process': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.saved_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.saved_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.saved_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.saved_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.supplemental_groups.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.supplemental_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.tty': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.tty.char_device.major': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.tty.char_device.minor': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.group_leader.working_directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.interactive': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.bytes_skipped': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'process.io.bytes_skipped.length': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.bytes_skipped.offset': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.max_bytes_per_process_exceeded': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.text': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.total_bytes_captured': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.total_bytes_skipped': { beta: string; dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.io.type': { beta: string; dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.macho.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.macho.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.macho.symhash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'process.parent.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.command_line': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.byte_order': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.cpu_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.creation_date': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.exports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.abi_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.class': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.data': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.entrypoint': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.object_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.os_abi': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.header.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.chi2': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.flags': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.physical_offset': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.virtual_address': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.segments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.segments.sections': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.segments.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.shared_libraries': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.elf.telfhash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.end': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.exit_code': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.group_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.interactive': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.macho.symhash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pgid': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.real_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.real_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.real_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.real_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.saved_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.saved_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.saved_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.saved_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.supplemental_groups.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.supplemental_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.thread.capabilities.effective': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; pattern: string; short: string; type: string; }; 'process.parent.thread.capabilities.permitted': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; pattern: string; short: string; type: string; }; 'process.parent.thread.id': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.thread.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.title': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.tty': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.tty.char_device.major': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.tty.char_device.minor': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.uptime': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.parent.working_directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.pgid': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.previous.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.previous.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.previous.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.real_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.real_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.real_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.real_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.saved_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.saved_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.saved_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.saved_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.args': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.args_count': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.command_line': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.executable': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.interactive': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.session_leader.entity_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.session_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.session_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.session_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.parent.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.pid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.real_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.real_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.real_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.real_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.same_as_process': { dashed_name: string; description: string; example: boolean; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.saved_group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.saved_group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.saved_user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.saved_user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.supplemental_groups.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.supplemental_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.tty': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.tty.char_device.major': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.tty.char_device.minor': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.session_leader.working_directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.start': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.supplemental_groups.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.supplemental_groups.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.thread.capabilities.effective': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; pattern: string; short: string; type: string; }; 'process.thread.capabilities.permitted': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; pattern: string; short: string; type: string; }; 'process.thread.id': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.thread.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.title': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'process.tty': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.tty.char_device.major': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.tty.char_device.minor': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.tty.columns': { beta: string; dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.tty.rows': { beta: string; dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.uptime': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'process.vpid': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'process.working_directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'registry.data.bytes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'registry.data.strings': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'registry.data.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'registry.hive': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'registry.key': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'registry.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'registry.value': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'related.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'related.hosts': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'related.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'related.user': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'rule.author': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'rule.category': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.license': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.ruleset': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.uuid': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'rule.version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.address': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; pattern: string; short: string; type: string; }; 'server.nat.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.nat.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.packets': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'server.user.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'server.user.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'service.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.environment': { beta: string; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.ephemeral_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.node.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.node.role': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.node.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'service.origin.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.environment': { beta: string; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.ephemeral_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.node.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.node.role': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.node.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'service.origin.state': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.origin.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.state': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.target.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.environment': { beta: string; dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.ephemeral_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.node.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.node.role': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.node.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'service.target.state': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.target.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'service.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'service.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.address': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.bytes': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.mac': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; pattern: string; short: string; type: string; }; 'source.nat.ip': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.nat.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.packets': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.port': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'source.user.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'source.user.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'span.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; tags: { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.enrichments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.enrichments.indicator': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.confidence': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.email.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.file.accessed': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.attributes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.created': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.ctime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.device': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.drive_letter': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.byte_order': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.cpu_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.creation_date': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.exports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.abi_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.class': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.data': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.entrypoint': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.object_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.os_abi': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.header.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.chi2': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.flags': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.physical_offset': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.virtual_address': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.segments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.segments.sections': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.segments.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.shared_libraries': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.elf.telfhash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.fork_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.gid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.group': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.inode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.mime_type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.mode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.mtime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.owner': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.target_path': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.uid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.file.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.first_seen': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.ip': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.last_seen': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.marking.tlp': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.marking.tlp_version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.modified_at': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.port': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.registry.data.bytes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.data.strings': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.data.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.hive': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.key': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.registry.value': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.scanner_stats': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.sightings': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.indicator.url.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.fragment': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.full': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.original': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.password': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.path': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.port': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.query': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.scheme': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.url.username': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.indicator.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.enrichments.matched.atomic': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.matched.field': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.matched.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.matched.index': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.matched.occurred': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.enrichments.matched.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.feed.dashboard_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.feed.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.feed.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.feed.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.framework': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.group.alias': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.group.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.group.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.group.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.as.number': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.as.organization.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.confidence': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.email.address': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.file.accessed': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.attributes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.digest_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.exists': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.signing_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.status': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.subject_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.team_id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.timestamp': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.trusted': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.code_signature.valid': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.created': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.ctime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.device': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.directory': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.drive_letter': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.byte_order': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.cpu_type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.creation_date': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.exports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.abi_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.class': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.data': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.entrypoint': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.object_version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.os_abi': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.header.version': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.chi2': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.flags': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.physical_offset': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.virtual_address': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.segments': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.segments.sections': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.segments.type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.shared_libraries': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.elf.telfhash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.fork_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.gid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.group': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.md5': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.sha1': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.sha256': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.sha384': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.sha512': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.ssdeep': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.hash.tlsh': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.inode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.mime_type': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.mode': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.mtime': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.owner': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.architecture': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.company': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.file_version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.go_import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.go_imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.go_imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.go_imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.go_stripped': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.imphash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.import_hash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.imports': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.imports_names_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.imports_names_var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.original_file_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.pehash': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.product': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections.entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections.physical_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections.var_entropy': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.pe.sections.virtual_size': { dashed_name: string; description: string; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.target_path': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.uid': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.file.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.first_seen': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.geo.city_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.continent_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.continent_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.country_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.country_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.location': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.postal_code': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.region_iso_code': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.region_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.geo.timezone': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.ip': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.last_seen': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.marking.tlp': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.marking.tlp_version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.modified_at': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.port': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.provider': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.registry.data.bytes': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.data.strings': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.data.type': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.hive': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.key': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.path': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.registry.value': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.scanner_stats': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.sightings': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.indicator.url.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.fragment': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.full': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.original': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.password': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.path': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.port': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.query': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.scheme': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.url.username': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'threat.indicator.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'threat.software.alias': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.software.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.software.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.software.platforms': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.software.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.software.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'threat.tactic.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.tactic.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.tactic.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.subtechnique.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.subtechnique.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: string[]; short: string; type: string; }; 'threat.technique.subtechnique.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'tls.cipher': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.certificate': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.certificate_chain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'tls.client.hash.md5': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.hash.sha1': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.hash.sha256': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.issuer': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.ja3': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.server_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.subject': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.client.supported_ciphers': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'tls.client.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.client.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.established': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.next_protocol': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.resumed': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.certificate': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.certificate_chain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'tls.server.hash.md5': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.hash.sha1': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.hash.sha256': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.issuer': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.ja3s': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.subject': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.server.x509.alternative_names': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.organizational_unit': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.issuer.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.not_after': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.not_before': { dashed_name: string; description: string; example: string; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.public_key_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.public_key_curve': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.public_key_exponent': { dashed_name: string; description: string; doc_values: boolean; example: number; flat_name: string; index: boolean; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.public_key_size': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.serial_number': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.signature_algorithm': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.common_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.country': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.distinguished_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.locality': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.organization': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.organizational_unit': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.subject.state_or_province': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'tls.server.x509.version_number': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'tls.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'tls.version_protocol': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'trace.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'transaction.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.extension': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.fragment': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.full': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'url.original': { dashed_name: string; description: string; example: string; flat_name: string; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'url.password': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.path': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.port': { dashed_name: string; description: string; example: number; flat_name: string; format: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.query': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.registered_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.scheme': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.subdomain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.top_level_domain': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'url.username': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user.changes.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.changes.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'user.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user.effective.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.effective.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'user.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'user.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'user.risk.calculated_level': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.risk.calculated_score': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.risk.calculated_score_norm': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.risk.static_level': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.risk.static_score': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.risk.static_score_norm': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'user.target.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.email': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.full_name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.group.domain': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.group.id': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.group.name': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.hash': { dashed_name: string; description: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user.target.roles': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; original_fieldset: string; short: string; type: string; }; 'user_agent.device.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user_agent.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'user_agent.original': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'user_agent.os.family': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.full': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.kernel': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.name': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.platform': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.type': { dashed_name: string; description: string; example: string; expected_values: string[]; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.os.version': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; original_fieldset: string; short: string; type: string; }; 'user_agent.version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.category': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: string[]; short: string; type: string; }; 'vulnerability.classification': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.description': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; multi_fields: { flat_name: string; name: string; type: string; }[]; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.enumeration': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.id': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.reference': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.report_id': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.scanner.vendor': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.score.base': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.score.environmental': { dashed_name: string; description: string; example: number; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.score.temporal': { dashed_name: string; description: string; flat_name: string; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.score.version': { dashed_name: string; description: string; example: number; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; 'vulnerability.severity': { dashed_name: string; description: string; example: string; flat_name: string; ignore_above: number; level: string; name: string; normalize: never[]; short: string; type: string; }; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -773,7 +773,7 @@ "signature": [ "{ _index: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; type: string; documentation_url: string; }; _id: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; type: string; documentation_url: string; }; _source: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _size: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _doc_count: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _field_names: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _ignored: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _routing: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; type: string; documentation_url: string; }; _meta: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; _tier: { dashed_name: string; description: string; example: string; flat_name: string; name: string; short: string; documentation_url: string; }; }" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -877,7 +877,7 @@ "StringC", "; }>]>" ], - "path": "x-pack/plugins/fields_metadata/common/fields_metadata/types.ts", + "path": "x-pack/platform/plugins/shared/fields_metadata/common/fields_metadata/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/fields_metadata.mdx b/api_docs/fields_metadata.mdx index cf22471b8715a..ea4b13483e787 100644 --- a/api_docs/fields_metadata.mdx +++ b/api_docs/fields_metadata.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldsMetadata title: "fieldsMetadata" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldsMetadata plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldsMetadata'] --- import fieldsMetadataObj from './fields_metadata.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index a530e3945f2d7..cb6cb433742ee 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index f5597e5eeee0d..5387e55b342d6 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index b8aabf5b04190..01c52592739f5 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index 9e867548ff459..81a43616f4454 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index 802764430410f..d227d20686df8 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index 8a5067cf6d8fa..83f3a88c3f863 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index a160696d02db5..3b4d5f03c62c7 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/image_embeddable.mdx b/api_docs/image_embeddable.mdx index 6216a04360747..61a76851611e4 100644 --- a/api_docs/image_embeddable.mdx +++ b/api_docs/image_embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/imageEmbeddable title: "imageEmbeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the imageEmbeddable plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'imageEmbeddable'] --- import imageEmbeddableObj from './image_embeddable.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index 1bd0ff9ab3271..620f8be0fcb1e 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.devdocs.json b/api_docs/index_management.devdocs.json index 8229c1e6dd94c..569cdfff5a4cc 100644 --- a/api_docs/index_management.devdocs.json +++ b/api_docs/index_management.devdocs.json @@ -13,7 +13,7 @@ "signature": [ "(filter?: string | undefined, includeHiddenIndices?: boolean | undefined) => string" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -27,7 +27,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -42,7 +42,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -61,7 +61,7 @@ "signature": [ "(name: string, isLegacy?: boolean | undefined) => string" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -75,7 +75,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -90,7 +90,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/public/application/services/routing.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/application/services/routing.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -423,7 +423,7 @@ "signature": [ "\"INDEX_MANAGEMENT_LOCATOR_ID\"" ], - "path": "x-pack/plugins/index_management/public/locator.ts", + "path": "x-pack/platform/plugins/shared/index_management/public/locator.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -709,7 +709,7 @@ "tags": [], "label": "Dependencies", "description": [], - "path": "x-pack/plugins/index_management/server/types.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -729,7 +729,7 @@ "text": "SecurityPluginSetup" } ], - "path": "x-pack/plugins/index_management/server/types.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -749,7 +749,7 @@ "text": "LicensingPluginSetup" } ], - "path": "x-pack/plugins/index_management/server/types.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -769,7 +769,7 @@ "text": "FeaturesPluginSetup" } ], - "path": "x-pack/plugins/index_management/server/types.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/types.ts", "deprecated": false, "trackAdoption": false } @@ -1031,7 +1031,7 @@ "description": [ "\n------------------------------------------\n--------- LEGACY INDEX TEMPLATES ---------\n------------------------------------------" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1045,7 +1045,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1059,7 +1059,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1080,7 +1080,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1101,7 +1101,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1115,7 +1115,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1136,7 +1136,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1150,7 +1150,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -1170,7 +1170,7 @@ "signature": [ "{ readonly ui: Readonly<{} & { enabled: boolean; }>; readonly enableIndexActions: boolean; readonly enableLegacyTemplates: boolean; readonly dev: Readonly<{} & { enableIndexDetailsPage: boolean; enableSemanticText: boolean; }>; readonly enableSizeAndDocCount: boolean; readonly enableIndexStats: boolean; readonly enableDataStreamStats: boolean; readonly editableIndexSettings: \"all\" | \"limited\"; readonly enableMappingsSourceFieldSection: boolean; readonly enableTogglingDataRetention: boolean; readonly enableProjectLevelRetentionChecks: boolean; }" ], - "path": "x-pack/plugins/index_management/server/config.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/config.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -1184,7 +1184,7 @@ "tags": [], "label": "IndexManagementPluginSetup", "description": [], - "path": "x-pack/plugins/index_management/server/plugin.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/plugin.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1200,7 +1200,7 @@ "Enricher", ") => void; }" ], - "path": "x-pack/plugins/index_management/server/plugin.ts", + "path": "x-pack/platform/plugins/shared/index_management/server/plugin.ts", "deprecated": false, "trackAdoption": false } @@ -1246,7 +1246,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/lib/utils.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/lib/utils.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1274,7 +1274,7 @@ "text": "TemplateSerialized" } ], - "path": "x-pack/plugins/index_management/common/lib/utils.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/lib/utils.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1289,7 +1289,7 @@ "signature": [ "\"settings\" | \"mappings\" | \"aliases\"" ], - "path": "x-pack/plugins/index_management/common/lib/utils.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/lib/utils.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1308,7 +1308,7 @@ "signature": [ "(field: string) => { size: string; unit: string; }" ], - "path": "x-pack/plugins/index_management/common/lib/data_stream_utils.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1322,7 +1322,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/index_management/common/lib/data_stream_utils.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/lib/data_stream_utils.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1340,7 +1340,7 @@ "tags": [], "label": "Aliases", "description": [], - "path": "x-pack/plugins/index_management/common/types/aliases.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/aliases.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1354,7 +1354,7 @@ "signature": [ "[key: string]: any" ], - "path": "x-pack/plugins/index_management/common/types/aliases.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/aliases.ts", "deprecated": false, "trackAdoption": false } @@ -1368,7 +1368,7 @@ "tags": [], "label": "ComponentTemplateDatastreams", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1382,7 +1382,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1413,7 +1413,7 @@ "text": "ComponentTemplateSerialized" } ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1424,7 +1424,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1438,7 +1438,7 @@ "signature": [ "{ usedBy: string[]; isManaged: boolean; }" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1452,7 +1452,7 @@ "tags": [], "label": "ComponentTemplateFromEs", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1463,7 +1463,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1483,7 +1483,7 @@ "text": "ComponentTemplateSerialized" } ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1497,7 +1497,7 @@ "tags": [], "label": "ComponentTemplateListItem", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1508,7 +1508,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1522,7 +1522,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1533,7 +1533,7 @@ "tags": [], "label": "hasMappings", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1544,7 +1544,7 @@ "tags": [], "label": "hasAliases", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1555,7 +1555,7 @@ "tags": [], "label": "hasSettings", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1566,7 +1566,7 @@ "tags": [], "label": "isManaged", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1580,7 +1580,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1594,7 +1594,7 @@ "tags": [], "label": "ComponentTemplateMeta", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1605,7 +1605,7 @@ "tags": [], "label": "managed", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1616,7 +1616,7 @@ "tags": [], "label": "managed_by", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1630,7 +1630,7 @@ "signature": [ "{ name: string; }" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1644,7 +1644,7 @@ "tags": [], "label": "ComponentTemplateSerialized", "description": [], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1684,7 +1684,7 @@ "IndicesDataStreamLifecycleWithRollover", " & { enabled?: boolean | undefined; effective_retention?: string | undefined; retention_determined_by?: string | undefined; globalMaxRetention?: string | undefined; }) | undefined; }" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1698,7 +1698,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1712,7 +1712,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1726,7 +1726,7 @@ "signature": [ "{ [key: string]: any; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false }, @@ -1747,7 +1747,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/component_templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/component_templates.ts", "deprecated": false, "trackAdoption": false } @@ -1761,7 +1761,7 @@ "tags": [], "label": "DataRetention", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1772,7 +1772,7 @@ "tags": [], "label": "enabled", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1786,7 +1786,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1800,7 +1800,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1814,7 +1814,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false } @@ -1828,7 +1828,7 @@ "tags": [], "label": "DataStream", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1839,7 +1839,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1853,7 +1853,7 @@ "signature": [ "TimestampFieldFromEs" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1874,7 +1874,7 @@ }, "[]" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1885,7 +1885,7 @@ "tags": [], "label": "generation", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1899,7 +1899,7 @@ "signature": [ "\"green\" | \"yellow\" | \"red\"" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1910,7 +1910,7 @@ "tags": [], "label": "indexTemplateName", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1924,7 +1924,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1939,7 +1939,7 @@ "ByteSize", " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1953,7 +1953,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1967,7 +1967,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1981,7 +1981,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -1995,7 +1995,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2009,7 +2009,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2024,7 +2024,7 @@ "Metadata", " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2038,7 +2038,7 @@ "signature": [ "PrivilegesFromEs" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2049,7 +2049,7 @@ "tags": [], "label": "hidden", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2060,7 +2060,7 @@ "tags": [], "label": "nextGenerationManagedBy", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2076,7 +2076,7 @@ "IndicesDataStreamLifecycleWithRollover", " & { enabled?: boolean | undefined; effective_retention?: string | undefined; retention_determined_by?: string | undefined; globalMaxRetention?: string | undefined; }) | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2090,7 +2090,7 @@ "signature": [ "\"standard\" | \"time_series\" | \"logsdb\"" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false } @@ -2104,7 +2104,7 @@ "tags": [], "label": "DataStreamIndex", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2115,7 +2115,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2126,7 +2126,7 @@ "tags": [], "label": "uuid", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2137,7 +2137,7 @@ "tags": [], "label": "preferILM", "description": [], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2151,7 +2151,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false } @@ -2176,7 +2176,7 @@ " extends ", "IndicesDataStream" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2190,7 +2190,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2205,7 +2205,7 @@ "ByteSize", " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2219,7 +2219,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2233,7 +2233,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2247,7 +2247,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2261,7 +2261,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2276,7 +2276,7 @@ "IndicesDataStreamIndex", "[]" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2290,7 +2290,7 @@ "signature": [ "{ delete_index: boolean; manage_data_stream_lifecycle: boolean; }" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false }, @@ -2304,7 +2304,7 @@ "signature": [ "string | null | undefined" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false } @@ -2318,7 +2318,7 @@ "tags": [], "label": "FieldFromIndicesRequest", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2339,7 +2339,7 @@ }, "[]" ], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false }, @@ -2360,7 +2360,7 @@ }, "[]" ], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false } @@ -2374,7 +2374,7 @@ "tags": [], "label": "FieldItem", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2385,7 +2385,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false }, @@ -2396,7 +2396,7 @@ "tags": [], "label": "type", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false }, @@ -2407,7 +2407,7 @@ "tags": [], "label": "normalizedType", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false } @@ -2667,7 +2667,7 @@ "tags": [], "label": "IndexSettings", "description": [], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2682,7 +2682,7 @@ "IndicesIndexSettingsKeys", " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false }, @@ -2696,7 +2696,7 @@ "signature": [ "AnalysisModule | undefined" ], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false }, @@ -2710,7 +2710,7 @@ "signature": [ "[key: string]: any" ], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false } @@ -2724,7 +2724,7 @@ "tags": [], "label": "IndexSettingsResponse", "description": [], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2744,7 +2744,7 @@ "text": "IndexSettings" } ], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false }, @@ -2764,7 +2764,7 @@ "text": "IndexSettings" } ], - "path": "x-pack/plugins/index_management/common/types/indices.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/indices.ts", "deprecated": false, "trackAdoption": false } @@ -2778,7 +2778,7 @@ "tags": [], "label": "IndexWithFields", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2789,7 +2789,7 @@ "tags": [], "label": "index", "description": [], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false }, @@ -2810,7 +2810,7 @@ }, "[]" ], - "path": "x-pack/plugins/index_management/common/types/enrich_policies.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/enrich_policies.ts", "deprecated": false, "trackAdoption": false } @@ -2826,7 +2826,7 @@ "description": [ "\n------------------------------------------\n--------- LEGACY INDEX TEMPLATES ---------\n------------------------------------------" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2840,7 +2840,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2854,7 +2854,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2875,7 +2875,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2896,7 +2896,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2910,7 +2910,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2931,7 +2931,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -2945,7 +2945,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -2959,7 +2959,7 @@ "tags": [], "label": "Mappings", "description": [], - "path": "x-pack/plugins/index_management/common/types/mappings.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/mappings.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2973,7 +2973,7 @@ "signature": [ "[key: string]: any" ], - "path": "x-pack/plugins/index_management/common/types/mappings.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/mappings.ts", "deprecated": false, "trackAdoption": false } @@ -2989,7 +2989,7 @@ "description": [ "\nTemplateDeserialized is the format the UI will be working with,\nregardless if we are loading the new format (composable) index template,\nor the legacy one. Serialization is done server side." ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3000,7 +3000,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3014,7 +3014,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3052,7 +3052,7 @@ }, " | undefined; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3073,7 +3073,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3087,7 +3087,7 @@ "signature": [ "string[] | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3101,7 +3101,7 @@ "signature": [ "string[] | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3115,7 +3115,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3129,7 +3129,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3140,7 +3140,7 @@ "tags": [], "label": "allowAutoCreate", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3154,7 +3154,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3175,7 +3175,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3189,7 +3189,7 @@ "signature": [ "{ name: string; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3203,7 +3203,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3217,7 +3217,7 @@ "signature": [ "{ [key: string]: any; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3231,7 +3231,7 @@ "signature": [ "{ [key: string]: any; hidden?: boolean | undefined; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3253,7 +3253,7 @@ }, "; hasDatastream: boolean; isLegacy?: boolean | undefined; }" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -3267,7 +3267,7 @@ "tags": [], "label": "TemplateFromEs", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3278,7 +3278,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3298,7 +3298,7 @@ "text": "TemplateSerialized" } ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -3314,7 +3314,7 @@ "description": [ "\nInterface for the template list in our UI table\nwe don't include the mappings, settings and aliases\nto reduce the payload size sent back to the client." ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3325,7 +3325,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3339,7 +3339,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3353,7 +3353,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3367,7 +3367,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3381,7 +3381,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3392,7 +3392,7 @@ "tags": [], "label": "hasSettings", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3403,7 +3403,7 @@ "tags": [], "label": "hasAliases", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3414,7 +3414,7 @@ "tags": [], "label": "hasMappings", "description": [], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3428,7 +3428,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3442,7 +3442,7 @@ "signature": [ "{ name: string; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3456,7 +3456,7 @@ "signature": [ "string[] | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3478,7 +3478,7 @@ }, "; hasDatastream: boolean; isLegacy?: boolean | undefined; }" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -3494,7 +3494,7 @@ "description": [ "\nIndex template format from Elasticsearch" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3508,7 +3508,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3548,7 +3548,7 @@ "IndicesDataStreamLifecycleWithRollover", " & { enabled?: boolean | undefined; effective_retention?: string | undefined; retention_determined_by?: string | undefined; globalMaxRetention?: string | undefined; }) | undefined; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3562,7 +3562,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3576,7 +3576,7 @@ "signature": [ "string[] | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3590,7 +3590,7 @@ "signature": [ "string[] | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3604,7 +3604,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3618,7 +3618,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3632,7 +3632,7 @@ "signature": [ "{ [key: string]: any; } | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3646,7 +3646,7 @@ "signature": [ "{} | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false }, @@ -3660,7 +3660,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false } @@ -3680,7 +3680,7 @@ "signature": [ "\"/api/index_management\"" ], - "path": "x-pack/plugins/index_management/common/constants/api_base_path.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/constants/api_base_path.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3695,7 +3695,7 @@ "signature": [ "\"/management/data/index_management/\"" ], - "path": "x-pack/plugins/index_management/common/constants/base_path.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/constants/base_path.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3710,7 +3710,7 @@ "signature": [ "\"green\" | \"yellow\" | \"red\"" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3725,7 +3725,7 @@ "signature": [ "\"standard\" | \"time_series\" | \"logsdb\"" ], - "path": "x-pack/plugins/index_management/common/types/data_streams.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/data_streams.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3740,7 +3740,7 @@ "signature": [ "\"/internal/index_management\"" ], - "path": "x-pack/plugins/index_management/common/constants/api_base_path.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/constants/api_base_path.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3755,7 +3755,7 @@ "signature": [ "\"8.5.0\"" ], - "path": "x-pack/plugins/index_management/common/constants/plugin.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/constants/plugin.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3770,7 +3770,7 @@ "signature": [ "\"default\" | \"managed\" | \"system\" | \"cloudManaged\"" ], - "path": "x-pack/plugins/index_management/common/types/templates.ts", + "path": "x-pack/platform/plugins/shared/index_management/common/types/templates.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index b18f0c0658bd3..89e75ad8d4c02 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/inference.mdx b/api_docs/inference.mdx index 5e41d2dafbde2..dba8c739f8dec 100644 --- a/api_docs/inference.mdx +++ b/api_docs/inference.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inference title: "inference" image: https://source.unsplash.com/400x175/?github description: API docs for the inference plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inference'] --- import inferenceObj from './inference.devdocs.json'; diff --git a/api_docs/infra.devdocs.json b/api_docs/infra.devdocs.json index 550f704efb515..1fc322d078ade 100644 --- a/api_docs/infra.devdocs.json +++ b/api_docs/infra.devdocs.json @@ -14,7 +14,7 @@ "tags": [], "label": "InfraClientStartExports", "description": [], - "path": "x-pack/plugins/observability_solution/infra/public/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -28,7 +28,7 @@ "signature": [ "InventoryViewsServiceStart" ], - "path": "x-pack/plugins/observability_solution/infra/public/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -43,7 +43,7 @@ "MetricsExplorerViewsServiceStart", " | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/public/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -57,7 +57,7 @@ "signature": [ "ITelemetryClient" ], - "path": "x-pack/plugins/observability_solution/infra/public/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -77,7 +77,7 @@ "tags": [], "label": "InfraConfig", "description": [], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -91,7 +91,7 @@ "signature": [ "{ inventory_threshold: { group_by_page_size: number; }; metric_threshold: { group_by_page_size: number; }; }" ], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false }, @@ -102,7 +102,7 @@ "tags": [], "label": "enabled", "description": [], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false }, @@ -116,7 +116,7 @@ "signature": [ "{ compositeSize: number; }" ], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false }, @@ -130,7 +130,7 @@ "signature": [ "{ default?: { fields?: { message?: string[] | undefined; } | undefined; } | undefined; } | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false }, @@ -144,7 +144,7 @@ "signature": [ "{ customThresholdAlertsEnabled: boolean; logsUIEnabled: boolean; metricsExplorerEnabled: boolean; osqueryEnabled: boolean; inventoryThresholdAlertRuleEnabled: boolean; metricThresholdAlertRuleEnabled: boolean; logThresholdAlertRuleEnabled: boolean; alertsAndRulesDropdownEnabled: boolean; profilingEnabled: boolean; ruleFormV2Enabled: boolean; }" ], - "path": "x-pack/plugins/observability_solution/infra/common/plugin_config_types.ts", + "path": "x-pack/solutions/observability/plugins/infra/common/plugin_config_types.ts", "deprecated": false, "trackAdoption": false } @@ -158,7 +158,7 @@ "tags": [], "label": "InfraRequestHandlerContext", "description": [], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -180,7 +180,7 @@ "MlDatafeedStats", "[]; }>; } | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -202,7 +202,7 @@ "AggregationsAggregate", ">>>; } | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -213,7 +213,7 @@ "tags": [], "label": "spaceId", "description": [], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -233,7 +233,7 @@ "text": "SavedObjectsClientContract" } ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -253,7 +253,7 @@ "text": "IUiSettingsClient" } ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -267,7 +267,7 @@ "signature": [ "() => Promise" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -289,7 +289,7 @@ "text": "EntityManagerServerPluginStart" } ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false } @@ -307,7 +307,7 @@ "tags": [], "label": "InfraPluginSetup", "description": [], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -321,7 +321,7 @@ "signature": [ "void" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -335,7 +335,7 @@ "signature": [ "void | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false } @@ -350,7 +350,7 @@ "tags": [], "label": "InfraPluginStart", "description": [], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -364,7 +364,7 @@ "signature": [ "InventoryViewsServiceStart" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -379,7 +379,7 @@ "MetricsExplorerViewsServiceStart", " | undefined" ], - "path": "x-pack/plugins/observability_solution/infra/server/types.ts", + "path": "x-pack/solutions/observability/plugins/infra/server/types.ts", "deprecated": false, "trackAdoption": false } diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index b384777196d9e..77c34b56d8ac3 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/ingest_pipelines.mdx b/api_docs/ingest_pipelines.mdx index 899309c1fe5fe..54ac1c635983c 100644 --- a/api_docs/ingest_pipelines.mdx +++ b/api_docs/ingest_pipelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ingestPipelines title: "ingestPipelines" image: https://source.unsplash.com/400x175/?github description: API docs for the ingestPipelines plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ingestPipelines'] --- import ingestPipelinesObj from './ingest_pipelines.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 6b067ff09e67e..55fcf78073734 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/integration_assistant.mdx b/api_docs/integration_assistant.mdx index 89e7d6a7519fd..96280c4812a3a 100644 --- a/api_docs/integration_assistant.mdx +++ b/api_docs/integration_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/integrationAssistant title: "integrationAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the integrationAssistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'integrationAssistant'] --- import integrationAssistantObj from './integration_assistant.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 1373d61fdd239..f0ae96a4dd82c 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/inventory.mdx b/api_docs/inventory.mdx index 201d7e905b61d..06d6c01ca35a6 100644 --- a/api_docs/inventory.mdx +++ b/api_docs/inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inventory title: "inventory" image: https://source.unsplash.com/400x175/?github description: API docs for the inventory plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inventory'] --- import inventoryObj from './inventory.devdocs.json'; diff --git a/api_docs/investigate.mdx b/api_docs/investigate.mdx index edf3dd4107411..0ff8764a4b8f0 100644 --- a/api_docs/investigate.mdx +++ b/api_docs/investigate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigate title: "investigate" image: https://source.unsplash.com/400x175/?github description: API docs for the investigate plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigate'] --- import investigateObj from './investigate.devdocs.json'; diff --git a/api_docs/investigate_app.mdx b/api_docs/investigate_app.mdx index 6cf8d331cf0fe..45422816050f4 100644 --- a/api_docs/investigate_app.mdx +++ b/api_docs/investigate_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigateApp title: "investigateApp" image: https://source.unsplash.com/400x175/?github description: API docs for the investigateApp plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigateApp'] --- import investigateAppObj from './investigate_app.devdocs.json'; diff --git a/api_docs/kbn_actions_types.mdx b/api_docs/kbn_actions_types.mdx index 91b6f71b5bc6e..50dbe95ebc25e 100644 --- a/api_docs/kbn_actions_types.mdx +++ b/api_docs/kbn_actions_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-actions-types title: "@kbn/actions-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/actions-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/actions-types'] --- import kbnActionsTypesObj from './kbn_actions_types.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant.mdx b/api_docs/kbn_ai_assistant.mdx index 91d4070e0159d..bac7eab73ace6 100644 --- a/api_docs/kbn_ai_assistant.mdx +++ b/api_docs/kbn_ai_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant title: "@kbn/ai-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant'] --- import kbnAiAssistantObj from './kbn_ai_assistant.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_common.mdx b/api_docs/kbn_ai_assistant_common.mdx index 6d6942c67f32a..e0a2d2568e74c 100644 --- a/api_docs/kbn_ai_assistant_common.mdx +++ b/api_docs/kbn_ai_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-common title: "@kbn/ai-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-common'] --- import kbnAiAssistantCommonObj from './kbn_ai_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_icon.devdocs.json b/api_docs/kbn_ai_assistant_icon.devdocs.json index dfc8bb5465120..b1c0efe9df4e6 100644 --- a/api_docs/kbn_ai_assistant_icon.devdocs.json +++ b/api_docs/kbn_ai_assistant_icon.devdocs.json @@ -257,7 +257,7 @@ "Interpolation", "<", "Theme", - ">; suppressHydrationWarning?: boolean | undefined; lang?: string | undefined; style?: React.CSSProperties | undefined; tabIndex?: number | undefined; title?: string | undefined; role?: React.AriaRole | undefined; color?: string | undefined; \"aria-activedescendant\"?: string | undefined; \"aria-atomic\"?: Booleanish | undefined; \"aria-autocomplete\"?: \"none\" | \"list\" | \"inline\" | \"both\" | undefined; \"aria-braillelabel\"?: string | undefined; \"aria-brailleroledescription\"?: string | undefined; \"aria-busy\"?: Booleanish | undefined; \"aria-checked\"?: boolean | \"true\" | \"false\" | \"mixed\" | undefined; \"aria-colcount\"?: number | undefined; \"aria-colindex\"?: number | undefined; \"aria-colindextext\"?: string | undefined; \"aria-colspan\"?: number | undefined; \"aria-controls\"?: string | undefined; \"aria-current\"?: boolean | \"page\" | \"date\" | \"location\" | \"true\" | \"false\" | \"time\" | \"step\" | undefined; \"aria-describedby\"?: string | undefined; \"aria-description\"?: string | undefined; \"aria-details\"?: string | undefined; \"aria-disabled\"?: Booleanish | undefined; \"aria-dropeffect\"?: \"execute\" | \"link\" | \"none\" | \"copy\" | \"move\" | \"popup\" | undefined; \"aria-errormessage\"?: string | undefined; \"aria-expanded\"?: Booleanish | undefined; \"aria-flowto\"?: string | undefined; \"aria-grabbed\"?: Booleanish | undefined; \"aria-haspopup\"?: boolean | \"grid\" | \"true\" | \"false\" | \"dialog\" | \"menu\" | \"listbox\" | \"tree\" | undefined; \"aria-hidden\"?: Booleanish | undefined; \"aria-invalid\"?: boolean | \"true\" | \"false\" | \"grammar\" | \"spelling\" | undefined; \"aria-keyshortcuts\"?: string | undefined; \"aria-labelledby\"?: string | undefined; \"aria-level\"?: number | undefined; \"aria-live\"?: \"off\" | \"assertive\" | \"polite\" | undefined; \"aria-modal\"?: Booleanish | undefined; \"aria-multiline\"?: Booleanish | undefined; \"aria-multiselectable\"?: Booleanish | undefined; \"aria-orientation\"?: \"horizontal\" | \"vertical\" | undefined; \"aria-owns\"?: string | undefined; \"aria-placeholder\"?: string | undefined; \"aria-posinset\"?: number | undefined; \"aria-pressed\"?: boolean | \"true\" | \"false\" | \"mixed\" | undefined; \"aria-readonly\"?: Booleanish | undefined; \"aria-relevant\"?: \"text\" | \"all\" | \"additions\" | \"additions removals\" | \"additions text\" | \"removals\" | \"removals additions\" | \"removals text\" | \"text additions\" | \"text removals\" | undefined; \"aria-required\"?: Booleanish | undefined; \"aria-roledescription\"?: string | undefined; \"aria-rowcount\"?: number | undefined; \"aria-rowindex\"?: number | undefined; \"aria-rowindextext\"?: string | undefined; \"aria-rowspan\"?: number | undefined; \"aria-selected\"?: Booleanish | undefined; \"aria-setsize\"?: number | undefined; \"aria-sort\"?: \"none\" | \"ascending\" | \"descending\" | \"other\" | undefined; \"aria-valuemax\"?: number | undefined; \"aria-valuemin\"?: number | undefined; \"aria-valuenow\"?: number | undefined; \"aria-valuetext\"?: string | undefined; children?: React.ReactNode; dangerouslySetInnerHTML?: { __html: string | TrustedHTML; } | undefined; onCopy?: React.ClipboardEventHandler | undefined; onCopyCapture?: React.ClipboardEventHandler | undefined; onCut?: React.ClipboardEventHandler | undefined; onCutCapture?: React.ClipboardEventHandler | undefined; onPaste?: React.ClipboardEventHandler | undefined; onPasteCapture?: React.ClipboardEventHandler | undefined; onCompositionEnd?: React.CompositionEventHandler | undefined; onCompositionEndCapture?: React.CompositionEventHandler | undefined; onCompositionStart?: React.CompositionEventHandler | undefined; onCompositionStartCapture?: React.CompositionEventHandler | undefined; onCompositionUpdate?: React.CompositionEventHandler | undefined; onCompositionUpdateCapture?: React.CompositionEventHandler | undefined; onFocus?: React.FocusEventHandler | undefined; onFocusCapture?: React.FocusEventHandler | undefined; onBlur?: React.FocusEventHandler | undefined; onBlurCapture?: React.FocusEventHandler | undefined; onChange?: React.FormEventHandler | undefined; onChangeCapture?: React.FormEventHandler | undefined; onBeforeInput?: React.FormEventHandler | undefined; onBeforeInputCapture?: React.FormEventHandler | undefined; onInput?: React.FormEventHandler | undefined; onInputCapture?: React.FormEventHandler | undefined; onReset?: React.FormEventHandler | undefined; onResetCapture?: React.FormEventHandler | undefined; onSubmit?: React.FormEventHandler | undefined; onSubmitCapture?: React.FormEventHandler | undefined; onInvalid?: React.FormEventHandler | undefined; onInvalidCapture?: React.FormEventHandler | undefined; onLoad?: React.ReactEventHandler | undefined; onLoadCapture?: React.ReactEventHandler | undefined; onErrorCapture?: React.ReactEventHandler | undefined; onKeyDown?: React.KeyboardEventHandler | undefined; onKeyDownCapture?: React.KeyboardEventHandler | undefined; onKeyPress?: React.KeyboardEventHandler | undefined; onKeyPressCapture?: React.KeyboardEventHandler | undefined; onKeyUp?: React.KeyboardEventHandler | undefined; onKeyUpCapture?: React.KeyboardEventHandler | undefined; onAbort?: React.ReactEventHandler | undefined; onAbortCapture?: React.ReactEventHandler | undefined; onCanPlay?: React.ReactEventHandler | undefined; onCanPlayCapture?: React.ReactEventHandler | undefined; onCanPlayThrough?: React.ReactEventHandler | undefined; onCanPlayThroughCapture?: React.ReactEventHandler | undefined; onDurationChange?: React.ReactEventHandler | undefined; onDurationChangeCapture?: React.ReactEventHandler | undefined; onEmptied?: React.ReactEventHandler | undefined; onEmptiedCapture?: React.ReactEventHandler | undefined; onEncrypted?: React.ReactEventHandler | undefined; onEncryptedCapture?: React.ReactEventHandler | undefined; onEnded?: React.ReactEventHandler | undefined; onEndedCapture?: React.ReactEventHandler | undefined; onLoadedData?: React.ReactEventHandler | undefined; onLoadedDataCapture?: React.ReactEventHandler | undefined; onLoadedMetadata?: React.ReactEventHandler | undefined; onLoadedMetadataCapture?: React.ReactEventHandler | undefined; onLoadStart?: React.ReactEventHandler | undefined; onLoadStartCapture?: React.ReactEventHandler | undefined; onPause?: React.ReactEventHandler | undefined; onPauseCapture?: React.ReactEventHandler | undefined; onPlay?: React.ReactEventHandler | undefined; onPlayCapture?: React.ReactEventHandler | undefined; onPlaying?: React.ReactEventHandler | undefined; onPlayingCapture?: React.ReactEventHandler | undefined; onProgress?: React.ReactEventHandler | undefined; onProgressCapture?: React.ReactEventHandler | undefined; onRateChange?: React.ReactEventHandler | undefined; onRateChangeCapture?: React.ReactEventHandler | undefined; onResize?: React.ReactEventHandler | undefined; onResizeCapture?: React.ReactEventHandler | undefined; onSeeked?: React.ReactEventHandler | undefined; onSeekedCapture?: React.ReactEventHandler | undefined; onSeeking?: React.ReactEventHandler | undefined; onSeekingCapture?: React.ReactEventHandler | undefined; onStalled?: React.ReactEventHandler | undefined; onStalledCapture?: React.ReactEventHandler | undefined; onSuspend?: React.ReactEventHandler | undefined; onSuspendCapture?: React.ReactEventHandler | undefined; onTimeUpdate?: React.ReactEventHandler | undefined; onTimeUpdateCapture?: React.ReactEventHandler | undefined; onVolumeChange?: React.ReactEventHandler | undefined; onVolumeChangeCapture?: React.ReactEventHandler | undefined; onWaiting?: React.ReactEventHandler | undefined; onWaitingCapture?: React.ReactEventHandler | undefined; onAuxClick?: React.MouseEventHandler | undefined; onAuxClickCapture?: React.MouseEventHandler | undefined; onClick?: React.MouseEventHandler | undefined; onClickCapture?: React.MouseEventHandler | undefined; onContextMenu?: React.MouseEventHandler | undefined; onContextMenuCapture?: React.MouseEventHandler | undefined; onDoubleClick?: React.MouseEventHandler | undefined; onDoubleClickCapture?: React.MouseEventHandler | undefined; onDrag?: React.DragEventHandler | undefined; onDragCapture?: React.DragEventHandler | undefined; onDragEnd?: React.DragEventHandler | undefined; onDragEndCapture?: React.DragEventHandler | undefined; onDragEnter?: React.DragEventHandler | undefined; onDragEnterCapture?: React.DragEventHandler | undefined; onDragExit?: React.DragEventHandler | undefined; onDragExitCapture?: React.DragEventHandler | undefined; onDragLeave?: React.DragEventHandler | undefined; onDragLeaveCapture?: React.DragEventHandler | undefined; onDragOver?: React.DragEventHandler | undefined; onDragOverCapture?: React.DragEventHandler | undefined; onDragStart?: React.DragEventHandler | undefined; onDragStartCapture?: React.DragEventHandler | undefined; onDrop?: React.DragEventHandler | undefined; onDropCapture?: React.DragEventHandler | undefined; onMouseDown?: React.MouseEventHandler | undefined; onMouseDownCapture?: React.MouseEventHandler | undefined; onMouseEnter?: React.MouseEventHandler | undefined; onMouseLeave?: React.MouseEventHandler | undefined; onMouseMove?: React.MouseEventHandler | undefined; onMouseMoveCapture?: React.MouseEventHandler | undefined; onMouseOut?: React.MouseEventHandler | undefined; onMouseOutCapture?: React.MouseEventHandler | undefined; onMouseOver?: React.MouseEventHandler | undefined; onMouseOverCapture?: React.MouseEventHandler | undefined; onMouseUp?: React.MouseEventHandler | undefined; onMouseUpCapture?: React.MouseEventHandler | undefined; onSelect?: React.ReactEventHandler | undefined; onSelectCapture?: React.ReactEventHandler | undefined; onTouchCancel?: React.TouchEventHandler | undefined; onTouchCancelCapture?: React.TouchEventHandler | undefined; onTouchEnd?: React.TouchEventHandler | undefined; onTouchEndCapture?: React.TouchEventHandler | undefined; onTouchMove?: React.TouchEventHandler | undefined; onTouchMoveCapture?: React.TouchEventHandler | undefined; onTouchStart?: React.TouchEventHandler | undefined; onTouchStartCapture?: React.TouchEventHandler | undefined; onPointerDown?: React.PointerEventHandler | undefined; onPointerDownCapture?: React.PointerEventHandler | undefined; onPointerMove?: React.PointerEventHandler | undefined; onPointerMoveCapture?: React.PointerEventHandler | undefined; onPointerUp?: React.PointerEventHandler | undefined; onPointerUpCapture?: React.PointerEventHandler | undefined; onPointerCancel?: React.PointerEventHandler | undefined; onPointerCancelCapture?: React.PointerEventHandler | undefined; onPointerEnter?: React.PointerEventHandler | undefined; onPointerLeave?: React.PointerEventHandler | undefined; onPointerOver?: React.PointerEventHandler | undefined; onPointerOverCapture?: React.PointerEventHandler | undefined; onPointerOut?: React.PointerEventHandler | undefined; onPointerOutCapture?: React.PointerEventHandler | undefined; onGotPointerCapture?: React.PointerEventHandler | undefined; onGotPointerCaptureCapture?: React.PointerEventHandler | undefined; onLostPointerCapture?: React.PointerEventHandler | undefined; onLostPointerCaptureCapture?: React.PointerEventHandler | undefined; onScroll?: React.UIEventHandler | undefined; onScrollCapture?: React.UIEventHandler | undefined; onWheel?: React.WheelEventHandler | undefined; onWheelCapture?: React.WheelEventHandler | undefined; onAnimationStart?: React.AnimationEventHandler | undefined; onAnimationStartCapture?: React.AnimationEventHandler | undefined; onAnimationEnd?: React.AnimationEventHandler | undefined; onAnimationEndCapture?: React.AnimationEventHandler | undefined; onAnimationIteration?: React.AnimationEventHandler | undefined; onAnimationIterationCapture?: React.AnimationEventHandler | undefined; onTransitionEnd?: React.TransitionEventHandler | undefined; onTransitionEndCapture?: React.TransitionEventHandler | undefined; size?: \"m\" | \"s\" | \"l\" | \"original\" | \"xl\" | \"xxl\" | undefined; path?: string | undefined; from?: string | number | undefined; to?: string | number | undefined; clipPath?: string | undefined; mask?: string | undefined; offset?: string | number | undefined; href?: string | undefined; media?: string | undefined; target?: string | undefined; direction?: string | number | undefined; width?: string | number | undefined; textDecoration?: string | number | undefined; operator?: string | number | undefined; result?: string | undefined; origin?: string | number | undefined; method?: string | undefined; by?: string | number | undefined; scale?: string | number | undefined; y?: string | number | undefined; d?: string | undefined; fontSize?: string | number | undefined; fontFamily?: string | undefined; fontStyle?: string | number | undefined; stroke?: string | undefined; strokeWidth?: string | number | undefined; x?: string | number | undefined; stdDeviation?: string | number | undefined; display?: string | number | undefined; cursor?: string | number | undefined; height?: string | number | undefined; overflow?: string | number | undefined; preserveAspectRatio?: string | undefined; vectorEffect?: string | number | undefined; strokeMiterlimit?: string | number | undefined; textAnchor?: string | undefined; dominantBaseline?: string | number | undefined; dx?: string | number | undefined; dy?: string | number | undefined; r?: string | number | undefined; cx?: string | number | undefined; cy?: string | number | undefined; strokeLinecap?: \"square\" | \"inherit\" | \"butt\" | \"round\" | undefined; points?: string | undefined; strokeLinejoin?: \"inherit\" | \"round\" | \"miter\" | \"bevel\" | undefined; opacity?: string | number | undefined; crossOrigin?: CrossOrigin; accentHeight?: string | number | undefined; accumulate?: \"sum\" | \"none\" | undefined; additive?: \"sum\" | \"replace\" | undefined; alignmentBaseline?: \"inherit\" | \"auto\" | \"middle\" | \"alphabetic\" | \"hanging\" | \"ideographic\" | \"mathematical\" | \"baseline\" | \"before-edge\" | \"text-before-edge\" | \"central\" | \"after-edge\" | \"text-after-edge\" | undefined; allowReorder?: \"yes\" | \"no\" | undefined; alphabetic?: string | number | undefined; amplitude?: string | number | undefined; arabicForm?: \"initial\" | \"medial\" | \"terminal\" | \"isolated\" | undefined; ascent?: string | number | undefined; attributeName?: string | undefined; attributeType?: string | undefined; autoReverse?: Booleanish | undefined; azimuth?: string | number | undefined; baseFrequency?: string | number | undefined; baselineShift?: string | number | undefined; baseProfile?: string | number | undefined; bbox?: string | number | undefined; begin?: string | number | undefined; bias?: string | number | undefined; calcMode?: string | number | undefined; capHeight?: string | number | undefined; clip?: string | number | undefined; clipPathUnits?: string | number | undefined; clipRule?: string | number | undefined; colorInterpolation?: string | number | undefined; colorInterpolationFilters?: \"inherit\" | \"auto\" | \"sRGB\" | \"linearRGB\" | undefined; colorProfile?: string | number | undefined; colorRendering?: string | number | undefined; contentScriptType?: string | number | undefined; contentStyleType?: string | number | undefined; decelerate?: string | number | undefined; descent?: string | number | undefined; diffuseConstant?: string | number | undefined; divisor?: string | number | undefined; dur?: string | number | undefined; edgeMode?: string | number | undefined; elevation?: string | number | undefined; enableBackground?: string | number | undefined; exponent?: string | number | undefined; externalResourcesRequired?: Booleanish | undefined; fillOpacity?: string | number | undefined; fillRule?: \"inherit\" | \"nonzero\" | \"evenodd\" | undefined; filterRes?: string | number | undefined; filterUnits?: string | number | undefined; floodColor?: string | number | undefined; floodOpacity?: string | number | undefined; focusable?: Booleanish | \"auto\" | undefined; fontSizeAdjust?: string | number | undefined; fontStretch?: string | number | undefined; fontVariant?: string | number | undefined; fontWeight?: string | number | undefined; fr?: string | number | undefined; fx?: string | number | undefined; fy?: string | number | undefined; g1?: string | number | undefined; g2?: string | number | undefined; glyphName?: string | number | undefined; glyphOrientationHorizontal?: string | number | undefined; glyphOrientationVertical?: string | number | undefined; glyphRef?: string | number | undefined; gradientTransform?: string | undefined; gradientUnits?: string | undefined; hanging?: string | number | undefined; horizAdvX?: string | number | undefined; horizOriginX?: string | number | undefined; ideographic?: string | number | undefined; imageRendering?: string | number | undefined; in2?: string | number | undefined; intercept?: string | number | undefined; k1?: string | number | undefined; k2?: string | number | undefined; k3?: string | number | undefined; k4?: string | number | undefined; k?: string | number | undefined; kernelMatrix?: string | number | undefined; kernelUnitLength?: string | number | undefined; kerning?: string | number | undefined; keyPoints?: string | number | undefined; keySplines?: string | number | undefined; keyTimes?: string | number | undefined; lengthAdjust?: string | number | undefined; letterSpacing?: string | number | undefined; lightingColor?: string | number | undefined; limitingConeAngle?: string | number | undefined; local?: string | number | undefined; markerEnd?: string | undefined; markerHeight?: string | number | undefined; markerMid?: string | undefined; markerStart?: string | undefined; markerUnits?: string | number | undefined; markerWidth?: string | number | undefined; maskContentUnits?: string | number | undefined; maskUnits?: string | number | undefined; mathematical?: string | number | undefined; numOctaves?: string | number | undefined; orient?: string | number | undefined; orientation?: string | number | undefined; overlinePosition?: string | number | undefined; overlineThickness?: string | number | undefined; paintOrder?: string | number | undefined; panose1?: string | number | undefined; pathLength?: string | number | undefined; patternContentUnits?: string | undefined; patternTransform?: string | number | undefined; patternUnits?: string | undefined; pointerEvents?: string | number | undefined; pointsAtX?: string | number | undefined; pointsAtY?: string | number | undefined; pointsAtZ?: string | number | undefined; preserveAlpha?: Booleanish | undefined; primitiveUnits?: string | number | undefined; radius?: string | number | undefined; refX?: string | number | undefined; refY?: string | number | undefined; renderingIntent?: string | number | undefined; repeatCount?: string | number | undefined; repeatDur?: string | number | undefined; requiredExtensions?: string | number | undefined; requiredFeatures?: string | number | undefined; restart?: string | number | undefined; rotate?: string | number | undefined; rx?: string | number | undefined; ry?: string | number | undefined; seed?: string | number | undefined; shapeRendering?: string | number | undefined; slope?: string | number | undefined; spacing?: string | number | undefined; specularConstant?: string | number | undefined; specularExponent?: string | number | undefined; speed?: string | number | undefined; spreadMethod?: string | undefined; startOffset?: string | number | undefined; stemh?: string | number | undefined; stemv?: string | number | undefined; stitchTiles?: string | number | undefined; stopColor?: string | undefined; stopOpacity?: string | number | undefined; strikethroughPosition?: string | number | undefined; strikethroughThickness?: string | number | undefined; strokeDasharray?: string | number | undefined; strokeDashoffset?: string | number | undefined; strokeOpacity?: string | number | undefined; surfaceScale?: string | number | undefined; systemLanguage?: string | number | undefined; tableValues?: string | number | undefined; targetX?: string | number | undefined; targetY?: string | number | undefined; textLength?: string | number | undefined; textRendering?: string | number | undefined; u1?: string | number | undefined; u2?: string | number | undefined; underlinePosition?: string | number | undefined; underlineThickness?: string | number | undefined; unicode?: string | number | undefined; unicodeBidi?: string | number | undefined; unicodeRange?: string | number | undefined; unitsPerEm?: string | number | undefined; vAlphabetic?: string | number | undefined; vertAdvY?: string | number | undefined; vertOriginX?: string | number | undefined; vertOriginY?: string | number | undefined; vHanging?: string | number | undefined; vIdeographic?: string | number | undefined; viewBox?: string | undefined; viewTarget?: string | number | undefined; visibility?: string | number | undefined; vMathematical?: string | number | undefined; widths?: string | number | undefined; wordSpacing?: string | number | undefined; writingMode?: string | number | undefined; x1?: string | number | undefined; x2?: string | number | undefined; xChannelSelector?: string | undefined; xHeight?: string | number | undefined; xlinkActuate?: string | undefined; xlinkArcrole?: string | undefined; xlinkHref?: string | undefined; xlinkRole?: string | undefined; xlinkShow?: string | undefined; xlinkTitle?: string | undefined; xlinkType?: string | undefined; xmlBase?: string | undefined; xmlLang?: string | undefined; xmlns?: string | undefined; xmlnsXlink?: string | undefined; xmlSpace?: string | undefined; y1?: string | number | undefined; y2?: string | number | undefined; yChannelSelector?: string | undefined; z?: string | number | undefined; zoomAndPan?: string | undefined; titleId?: string | undefined; onIconLoad?: (() => void) | undefined; }" + ">; suppressHydrationWarning?: boolean | undefined; lang?: string | undefined; style?: React.CSSProperties | undefined; tabIndex?: number | undefined; title?: string | undefined; role?: React.AriaRole | undefined; color?: string | undefined; \"aria-activedescendant\"?: string | undefined; \"aria-atomic\"?: Booleanish | undefined; \"aria-autocomplete\"?: \"none\" | \"list\" | \"inline\" | \"both\" | undefined; \"aria-braillelabel\"?: string | undefined; \"aria-brailleroledescription\"?: string | undefined; \"aria-busy\"?: Booleanish | undefined; \"aria-checked\"?: boolean | \"true\" | \"false\" | \"mixed\" | undefined; \"aria-colcount\"?: number | undefined; \"aria-colindex\"?: number | undefined; \"aria-colindextext\"?: string | undefined; \"aria-colspan\"?: number | undefined; \"aria-controls\"?: string | undefined; \"aria-current\"?: boolean | \"page\" | \"date\" | \"location\" | \"true\" | \"false\" | \"time\" | \"step\" | undefined; \"aria-describedby\"?: string | undefined; \"aria-description\"?: string | undefined; \"aria-details\"?: string | undefined; \"aria-disabled\"?: Booleanish | undefined; \"aria-dropeffect\"?: \"execute\" | \"link\" | \"none\" | \"copy\" | \"move\" | \"popup\" | undefined; \"aria-errormessage\"?: string | undefined; \"aria-expanded\"?: Booleanish | undefined; \"aria-flowto\"?: string | undefined; \"aria-grabbed\"?: Booleanish | undefined; \"aria-haspopup\"?: boolean | \"grid\" | \"true\" | \"false\" | \"dialog\" | \"menu\" | \"listbox\" | \"tree\" | undefined; \"aria-hidden\"?: Booleanish | undefined; \"aria-invalid\"?: boolean | \"true\" | \"false\" | \"grammar\" | \"spelling\" | undefined; \"aria-keyshortcuts\"?: string | undefined; \"aria-labelledby\"?: string | undefined; \"aria-level\"?: number | undefined; \"aria-live\"?: \"off\" | \"assertive\" | \"polite\" | undefined; \"aria-modal\"?: Booleanish | undefined; \"aria-multiline\"?: Booleanish | undefined; \"aria-multiselectable\"?: Booleanish | undefined; \"aria-orientation\"?: \"horizontal\" | \"vertical\" | undefined; \"aria-owns\"?: string | undefined; \"aria-placeholder\"?: string | undefined; \"aria-posinset\"?: number | undefined; \"aria-pressed\"?: boolean | \"true\" | \"false\" | \"mixed\" | undefined; \"aria-readonly\"?: Booleanish | undefined; \"aria-relevant\"?: \"text\" | \"all\" | \"additions\" | \"additions removals\" | \"additions text\" | \"removals\" | \"removals additions\" | \"removals text\" | \"text additions\" | \"text removals\" | undefined; \"aria-required\"?: Booleanish | undefined; \"aria-roledescription\"?: string | undefined; \"aria-rowcount\"?: number | undefined; \"aria-rowindex\"?: number | undefined; \"aria-rowindextext\"?: string | undefined; \"aria-rowspan\"?: number | undefined; \"aria-selected\"?: Booleanish | undefined; \"aria-setsize\"?: number | undefined; \"aria-sort\"?: \"none\" | \"ascending\" | \"descending\" | \"other\" | undefined; \"aria-valuemax\"?: number | undefined; \"aria-valuemin\"?: number | undefined; \"aria-valuenow\"?: number | undefined; \"aria-valuetext\"?: string | undefined; children?: React.ReactNode; dangerouslySetInnerHTML?: { __html: string | TrustedHTML; } | undefined; onCopy?: React.ClipboardEventHandler | undefined; onCopyCapture?: React.ClipboardEventHandler | undefined; onCut?: React.ClipboardEventHandler | undefined; onCutCapture?: React.ClipboardEventHandler | undefined; onPaste?: React.ClipboardEventHandler | undefined; onPasteCapture?: React.ClipboardEventHandler | undefined; onCompositionEnd?: React.CompositionEventHandler | undefined; onCompositionEndCapture?: React.CompositionEventHandler | undefined; onCompositionStart?: React.CompositionEventHandler | undefined; onCompositionStartCapture?: React.CompositionEventHandler | undefined; onCompositionUpdate?: React.CompositionEventHandler | undefined; onCompositionUpdateCapture?: React.CompositionEventHandler | undefined; onFocus?: React.FocusEventHandler | undefined; onFocusCapture?: React.FocusEventHandler | undefined; onBlur?: React.FocusEventHandler | undefined; onBlurCapture?: React.FocusEventHandler | undefined; onChange?: React.FormEventHandler | undefined; onChangeCapture?: React.FormEventHandler | undefined; onBeforeInput?: React.FormEventHandler | undefined; onBeforeInputCapture?: React.FormEventHandler | undefined; onInput?: React.FormEventHandler | undefined; onInputCapture?: React.FormEventHandler | undefined; onReset?: React.FormEventHandler | undefined; onResetCapture?: React.FormEventHandler | undefined; onSubmit?: React.FormEventHandler | undefined; onSubmitCapture?: React.FormEventHandler | undefined; onInvalid?: React.FormEventHandler | undefined; onInvalidCapture?: React.FormEventHandler | undefined; onLoad?: React.ReactEventHandler | undefined; onLoadCapture?: React.ReactEventHandler | undefined; onErrorCapture?: React.ReactEventHandler | undefined; onKeyDown?: React.KeyboardEventHandler | undefined; onKeyDownCapture?: React.KeyboardEventHandler | undefined; onKeyPress?: React.KeyboardEventHandler | undefined; onKeyPressCapture?: React.KeyboardEventHandler | undefined; onKeyUp?: React.KeyboardEventHandler | undefined; onKeyUpCapture?: React.KeyboardEventHandler | undefined; onAbort?: React.ReactEventHandler | undefined; onAbortCapture?: React.ReactEventHandler | undefined; onCanPlay?: React.ReactEventHandler | undefined; onCanPlayCapture?: React.ReactEventHandler | undefined; onCanPlayThrough?: React.ReactEventHandler | undefined; onCanPlayThroughCapture?: React.ReactEventHandler | undefined; onDurationChange?: React.ReactEventHandler | undefined; onDurationChangeCapture?: React.ReactEventHandler | undefined; onEmptied?: React.ReactEventHandler | undefined; onEmptiedCapture?: React.ReactEventHandler | undefined; onEncrypted?: React.ReactEventHandler | undefined; onEncryptedCapture?: React.ReactEventHandler | undefined; onEnded?: React.ReactEventHandler | undefined; onEndedCapture?: React.ReactEventHandler | undefined; onLoadedData?: React.ReactEventHandler | undefined; onLoadedDataCapture?: React.ReactEventHandler | undefined; onLoadedMetadata?: React.ReactEventHandler | undefined; onLoadedMetadataCapture?: React.ReactEventHandler | undefined; onLoadStart?: React.ReactEventHandler | undefined; onLoadStartCapture?: React.ReactEventHandler | undefined; onPause?: React.ReactEventHandler | undefined; onPauseCapture?: React.ReactEventHandler | undefined; onPlay?: React.ReactEventHandler | undefined; onPlayCapture?: React.ReactEventHandler | undefined; onPlaying?: React.ReactEventHandler | undefined; onPlayingCapture?: React.ReactEventHandler | undefined; onProgress?: React.ReactEventHandler | undefined; onProgressCapture?: React.ReactEventHandler | undefined; onRateChange?: React.ReactEventHandler | undefined; onRateChangeCapture?: React.ReactEventHandler | undefined; onResize?: React.ReactEventHandler | undefined; onResizeCapture?: React.ReactEventHandler | undefined; onSeeked?: React.ReactEventHandler | undefined; onSeekedCapture?: React.ReactEventHandler | undefined; onSeeking?: React.ReactEventHandler | undefined; onSeekingCapture?: React.ReactEventHandler | undefined; onStalled?: React.ReactEventHandler | undefined; onStalledCapture?: React.ReactEventHandler | undefined; onSuspend?: React.ReactEventHandler | undefined; onSuspendCapture?: React.ReactEventHandler | undefined; onTimeUpdate?: React.ReactEventHandler | undefined; onTimeUpdateCapture?: React.ReactEventHandler | undefined; onVolumeChange?: React.ReactEventHandler | undefined; onVolumeChangeCapture?: React.ReactEventHandler | undefined; onWaiting?: React.ReactEventHandler | undefined; onWaitingCapture?: React.ReactEventHandler | undefined; onAuxClick?: React.MouseEventHandler | undefined; onAuxClickCapture?: React.MouseEventHandler | undefined; onClick?: React.MouseEventHandler | undefined; onClickCapture?: React.MouseEventHandler | undefined; onContextMenu?: React.MouseEventHandler | undefined; onContextMenuCapture?: React.MouseEventHandler | undefined; onDoubleClick?: React.MouseEventHandler | undefined; onDoubleClickCapture?: React.MouseEventHandler | undefined; onDrag?: React.DragEventHandler | undefined; onDragCapture?: React.DragEventHandler | undefined; onDragEnd?: React.DragEventHandler | undefined; onDragEndCapture?: React.DragEventHandler | undefined; onDragEnter?: React.DragEventHandler | undefined; onDragEnterCapture?: React.DragEventHandler | undefined; onDragExit?: React.DragEventHandler | undefined; onDragExitCapture?: React.DragEventHandler | undefined; onDragLeave?: React.DragEventHandler | undefined; onDragLeaveCapture?: React.DragEventHandler | undefined; onDragOver?: React.DragEventHandler | undefined; onDragOverCapture?: React.DragEventHandler | undefined; onDragStart?: React.DragEventHandler | undefined; onDragStartCapture?: React.DragEventHandler | undefined; onDrop?: React.DragEventHandler | undefined; onDropCapture?: React.DragEventHandler | undefined; onMouseDown?: React.MouseEventHandler | undefined; onMouseDownCapture?: React.MouseEventHandler | undefined; onMouseEnter?: React.MouseEventHandler | undefined; onMouseLeave?: React.MouseEventHandler | undefined; onMouseMove?: React.MouseEventHandler | undefined; onMouseMoveCapture?: React.MouseEventHandler | undefined; onMouseOut?: React.MouseEventHandler | undefined; onMouseOutCapture?: React.MouseEventHandler | undefined; onMouseOver?: React.MouseEventHandler | undefined; onMouseOverCapture?: React.MouseEventHandler | undefined; onMouseUp?: React.MouseEventHandler | undefined; onMouseUpCapture?: React.MouseEventHandler | undefined; onSelect?: React.ReactEventHandler | undefined; onSelectCapture?: React.ReactEventHandler | undefined; onTouchCancel?: React.TouchEventHandler | undefined; onTouchCancelCapture?: React.TouchEventHandler | undefined; onTouchEnd?: React.TouchEventHandler | undefined; onTouchEndCapture?: React.TouchEventHandler | undefined; onTouchMove?: React.TouchEventHandler | undefined; onTouchMoveCapture?: React.TouchEventHandler | undefined; onTouchStart?: React.TouchEventHandler | undefined; onTouchStartCapture?: React.TouchEventHandler | undefined; onPointerDown?: React.PointerEventHandler | undefined; onPointerDownCapture?: React.PointerEventHandler | undefined; onPointerMove?: React.PointerEventHandler | undefined; onPointerMoveCapture?: React.PointerEventHandler | undefined; onPointerUp?: React.PointerEventHandler | undefined; onPointerUpCapture?: React.PointerEventHandler | undefined; onPointerCancel?: React.PointerEventHandler | undefined; onPointerCancelCapture?: React.PointerEventHandler | undefined; onPointerEnter?: React.PointerEventHandler | undefined; onPointerLeave?: React.PointerEventHandler | undefined; onPointerOver?: React.PointerEventHandler | undefined; onPointerOverCapture?: React.PointerEventHandler | undefined; onPointerOut?: React.PointerEventHandler | undefined; onPointerOutCapture?: React.PointerEventHandler | undefined; onGotPointerCapture?: React.PointerEventHandler | undefined; onGotPointerCaptureCapture?: React.PointerEventHandler | undefined; onLostPointerCapture?: React.PointerEventHandler | undefined; onLostPointerCaptureCapture?: React.PointerEventHandler | undefined; onScroll?: React.UIEventHandler | undefined; onScrollCapture?: React.UIEventHandler | undefined; onWheel?: React.WheelEventHandler | undefined; onWheelCapture?: React.WheelEventHandler | undefined; onAnimationStart?: React.AnimationEventHandler | undefined; onAnimationStartCapture?: React.AnimationEventHandler | undefined; onAnimationEnd?: React.AnimationEventHandler | undefined; onAnimationEndCapture?: React.AnimationEventHandler | undefined; onAnimationIteration?: React.AnimationEventHandler | undefined; onAnimationIterationCapture?: React.AnimationEventHandler | undefined; onTransitionEnd?: React.TransitionEventHandler | undefined; onTransitionEndCapture?: React.TransitionEventHandler | undefined; size?: \"m\" | \"s\" | \"l\" | \"original\" | \"xl\" | \"xxl\" | undefined; path?: string | undefined; from?: string | number | undefined; to?: string | number | undefined; clipPath?: string | undefined; mask?: string | undefined; offset?: string | number | undefined; href?: string | undefined; media?: string | undefined; target?: string | undefined; direction?: string | number | undefined; width?: string | number | undefined; textDecoration?: string | number | undefined; operator?: string | number | undefined; result?: string | undefined; by?: string | number | undefined; scale?: string | number | undefined; y?: string | number | undefined; d?: string | undefined; fontSize?: string | number | undefined; fontFamily?: string | undefined; fontStyle?: string | number | undefined; stroke?: string | undefined; strokeWidth?: string | number | undefined; x?: string | number | undefined; stdDeviation?: string | number | undefined; display?: string | number | undefined; method?: string | undefined; cursor?: string | number | undefined; origin?: string | number | undefined; height?: string | number | undefined; overflow?: string | number | undefined; preserveAspectRatio?: string | undefined; vectorEffect?: string | number | undefined; strokeMiterlimit?: string | number | undefined; textAnchor?: string | undefined; dominantBaseline?: string | number | undefined; dx?: string | number | undefined; dy?: string | number | undefined; r?: string | number | undefined; cx?: string | number | undefined; cy?: string | number | undefined; strokeLinecap?: \"square\" | \"inherit\" | \"butt\" | \"round\" | undefined; points?: string | undefined; strokeLinejoin?: \"inherit\" | \"round\" | \"miter\" | \"bevel\" | undefined; opacity?: string | number | undefined; crossOrigin?: CrossOrigin; accentHeight?: string | number | undefined; accumulate?: \"sum\" | \"none\" | undefined; additive?: \"sum\" | \"replace\" | undefined; alignmentBaseline?: \"inherit\" | \"auto\" | \"middle\" | \"alphabetic\" | \"hanging\" | \"ideographic\" | \"mathematical\" | \"baseline\" | \"before-edge\" | \"text-before-edge\" | \"central\" | \"after-edge\" | \"text-after-edge\" | undefined; allowReorder?: \"yes\" | \"no\" | undefined; alphabetic?: string | number | undefined; amplitude?: string | number | undefined; arabicForm?: \"initial\" | \"medial\" | \"terminal\" | \"isolated\" | undefined; ascent?: string | number | undefined; attributeName?: string | undefined; attributeType?: string | undefined; autoReverse?: Booleanish | undefined; azimuth?: string | number | undefined; baseFrequency?: string | number | undefined; baselineShift?: string | number | undefined; baseProfile?: string | number | undefined; bbox?: string | number | undefined; begin?: string | number | undefined; bias?: string | number | undefined; calcMode?: string | number | undefined; capHeight?: string | number | undefined; clip?: string | number | undefined; clipPathUnits?: string | number | undefined; clipRule?: string | number | undefined; colorInterpolation?: string | number | undefined; colorInterpolationFilters?: \"inherit\" | \"auto\" | \"sRGB\" | \"linearRGB\" | undefined; colorProfile?: string | number | undefined; colorRendering?: string | number | undefined; contentScriptType?: string | number | undefined; contentStyleType?: string | number | undefined; decelerate?: string | number | undefined; descent?: string | number | undefined; diffuseConstant?: string | number | undefined; divisor?: string | number | undefined; dur?: string | number | undefined; edgeMode?: string | number | undefined; elevation?: string | number | undefined; enableBackground?: string | number | undefined; exponent?: string | number | undefined; externalResourcesRequired?: Booleanish | undefined; fillOpacity?: string | number | undefined; fillRule?: \"inherit\" | \"nonzero\" | \"evenodd\" | undefined; filterRes?: string | number | undefined; filterUnits?: string | number | undefined; floodColor?: string | number | undefined; floodOpacity?: string | number | undefined; focusable?: Booleanish | \"auto\" | undefined; fontSizeAdjust?: string | number | undefined; fontStretch?: string | number | undefined; fontVariant?: string | number | undefined; fontWeight?: string | number | undefined; fr?: string | number | undefined; fx?: string | number | undefined; fy?: string | number | undefined; g1?: string | number | undefined; g2?: string | number | undefined; glyphName?: string | number | undefined; glyphOrientationHorizontal?: string | number | undefined; glyphOrientationVertical?: string | number | undefined; glyphRef?: string | number | undefined; gradientTransform?: string | undefined; gradientUnits?: string | undefined; hanging?: string | number | undefined; horizAdvX?: string | number | undefined; horizOriginX?: string | number | undefined; ideographic?: string | number | undefined; imageRendering?: string | number | undefined; in2?: string | number | undefined; intercept?: string | number | undefined; k1?: string | number | undefined; k2?: string | number | undefined; k3?: string | number | undefined; k4?: string | number | undefined; k?: string | number | undefined; kernelMatrix?: string | number | undefined; kernelUnitLength?: string | number | undefined; kerning?: string | number | undefined; keyPoints?: string | number | undefined; keySplines?: string | number | undefined; keyTimes?: string | number | undefined; lengthAdjust?: string | number | undefined; letterSpacing?: string | number | undefined; lightingColor?: string | number | undefined; limitingConeAngle?: string | number | undefined; local?: string | number | undefined; markerEnd?: string | undefined; markerHeight?: string | number | undefined; markerMid?: string | undefined; markerStart?: string | undefined; markerUnits?: string | number | undefined; markerWidth?: string | number | undefined; maskContentUnits?: string | number | undefined; maskUnits?: string | number | undefined; mathematical?: string | number | undefined; numOctaves?: string | number | undefined; orient?: string | number | undefined; orientation?: string | number | undefined; overlinePosition?: string | number | undefined; overlineThickness?: string | number | undefined; paintOrder?: string | number | undefined; panose1?: string | number | undefined; pathLength?: string | number | undefined; patternContentUnits?: string | undefined; patternTransform?: string | number | undefined; patternUnits?: string | undefined; pointerEvents?: string | number | undefined; pointsAtX?: string | number | undefined; pointsAtY?: string | number | undefined; pointsAtZ?: string | number | undefined; preserveAlpha?: Booleanish | undefined; primitiveUnits?: string | number | undefined; radius?: string | number | undefined; refX?: string | number | undefined; refY?: string | number | undefined; renderingIntent?: string | number | undefined; repeatCount?: string | number | undefined; repeatDur?: string | number | undefined; requiredExtensions?: string | number | undefined; requiredFeatures?: string | number | undefined; restart?: string | number | undefined; rotate?: string | number | undefined; rx?: string | number | undefined; ry?: string | number | undefined; seed?: string | number | undefined; shapeRendering?: string | number | undefined; slope?: string | number | undefined; spacing?: string | number | undefined; specularConstant?: string | number | undefined; specularExponent?: string | number | undefined; speed?: string | number | undefined; spreadMethod?: string | undefined; startOffset?: string | number | undefined; stemh?: string | number | undefined; stemv?: string | number | undefined; stitchTiles?: string | number | undefined; stopColor?: string | undefined; stopOpacity?: string | number | undefined; strikethroughPosition?: string | number | undefined; strikethroughThickness?: string | number | undefined; strokeDasharray?: string | number | undefined; strokeDashoffset?: string | number | undefined; strokeOpacity?: string | number | undefined; surfaceScale?: string | number | undefined; systemLanguage?: string | number | undefined; tableValues?: string | number | undefined; targetX?: string | number | undefined; targetY?: string | number | undefined; textLength?: string | number | undefined; textRendering?: string | number | undefined; u1?: string | number | undefined; u2?: string | number | undefined; underlinePosition?: string | number | undefined; underlineThickness?: string | number | undefined; unicode?: string | number | undefined; unicodeBidi?: string | number | undefined; unicodeRange?: string | number | undefined; unitsPerEm?: string | number | undefined; vAlphabetic?: string | number | undefined; vertAdvY?: string | number | undefined; vertOriginX?: string | number | undefined; vertOriginY?: string | number | undefined; vHanging?: string | number | undefined; vIdeographic?: string | number | undefined; viewBox?: string | undefined; viewTarget?: string | number | undefined; visibility?: string | number | undefined; vMathematical?: string | number | undefined; widths?: string | number | undefined; wordSpacing?: string | number | undefined; writingMode?: string | number | undefined; x1?: string | number | undefined; x2?: string | number | undefined; xChannelSelector?: string | undefined; xHeight?: string | number | undefined; xlinkActuate?: string | undefined; xlinkArcrole?: string | undefined; xlinkHref?: string | undefined; xlinkRole?: string | undefined; xlinkShow?: string | undefined; xlinkTitle?: string | undefined; xlinkType?: string | undefined; xmlBase?: string | undefined; xmlLang?: string | undefined; xmlns?: string | undefined; xmlnsXlink?: string | undefined; xmlSpace?: string | undefined; y1?: string | number | undefined; y2?: string | number | undefined; yChannelSelector?: string | undefined; z?: string | number | undefined; zoomAndPan?: string | undefined; titleId?: string | undefined; onIconLoad?: (() => void) | undefined; }" ], "path": "x-pack/platform/packages/shared/ai-assistant/icon/icon.tsx", "deprecated": false, diff --git a/api_docs/kbn_ai_assistant_icon.mdx b/api_docs/kbn_ai_assistant_icon.mdx index 5bb698ee7bbd4..afbe7071396d4 100644 --- a/api_docs/kbn_ai_assistant_icon.mdx +++ b/api_docs/kbn_ai_assistant_icon.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-icon title: "@kbn/ai-assistant-icon" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-icon plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-icon'] --- import kbnAiAssistantIconObj from './kbn_ai_assistant_icon.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index c5a676d9a9332..509e7cf9421f5 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_pattern_analysis.mdx b/api_docs/kbn_aiops_log_pattern_analysis.mdx index ed39fc1158171..2d9d4404b043c 100644 --- a/api_docs/kbn_aiops_log_pattern_analysis.mdx +++ b/api_docs/kbn_aiops_log_pattern_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-pattern-analysis title: "@kbn/aiops-log-pattern-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-pattern-analysis plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-pattern-analysis'] --- import kbnAiopsLogPatternAnalysisObj from './kbn_aiops_log_pattern_analysis.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_rate_analysis.mdx b/api_docs/kbn_aiops_log_rate_analysis.mdx index 167417381c49a..b68b5bfbc1974 100644 --- a/api_docs/kbn_aiops_log_rate_analysis.mdx +++ b/api_docs/kbn_aiops_log_rate_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-rate-analysis title: "@kbn/aiops-log-rate-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-rate-analysis plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-rate-analysis'] --- import kbnAiopsLogRateAnalysisObj from './kbn_aiops_log_rate_analysis.devdocs.json'; diff --git a/api_docs/kbn_alerting_api_integration_helpers.mdx b/api_docs/kbn_alerting_api_integration_helpers.mdx index 29bd8611e3c31..8770a1494326d 100644 --- a/api_docs/kbn_alerting_api_integration_helpers.mdx +++ b/api_docs/kbn_alerting_api_integration_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-api-integration-helpers title: "@kbn/alerting-api-integration-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-api-integration-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-api-integration-helpers'] --- import kbnAlertingApiIntegrationHelpersObj from './kbn_alerting_api_integration_helpers.devdocs.json'; diff --git a/api_docs/kbn_alerting_comparators.mdx b/api_docs/kbn_alerting_comparators.mdx index 2a9eedc8b4cf5..2a33b31e316ab 100644 --- a/api_docs/kbn_alerting_comparators.mdx +++ b/api_docs/kbn_alerting_comparators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-comparators title: "@kbn/alerting-comparators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-comparators plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-comparators'] --- import kbnAlertingComparatorsObj from './kbn_alerting_comparators.devdocs.json'; diff --git a/api_docs/kbn_alerting_state_types.mdx b/api_docs/kbn_alerting_state_types.mdx index 1b2ddbeace15f..7504bf0cc7227 100644 --- a/api_docs/kbn_alerting_state_types.mdx +++ b/api_docs/kbn_alerting_state_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-state-types title: "@kbn/alerting-state-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-state-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-state-types'] --- import kbnAlertingStateTypesObj from './kbn_alerting_state_types.devdocs.json'; diff --git a/api_docs/kbn_alerting_types.mdx b/api_docs/kbn_alerting_types.mdx index ab93a94689a3d..a27c9d5753fad 100644 --- a/api_docs/kbn_alerting_types.mdx +++ b/api_docs/kbn_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-types title: "@kbn/alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-types'] --- import kbnAlertingTypesObj from './kbn_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_alerts_as_data_utils.mdx b/api_docs/kbn_alerts_as_data_utils.mdx index 373f255463b2f..0023e534c8018 100644 --- a/api_docs/kbn_alerts_as_data_utils.mdx +++ b/api_docs/kbn_alerts_as_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-as-data-utils title: "@kbn/alerts-as-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-as-data-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-as-data-utils'] --- import kbnAlertsAsDataUtilsObj from './kbn_alerts_as_data_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts_grouping.mdx b/api_docs/kbn_alerts_grouping.mdx index 1684b66ed04bb..d0d05d34d87e1 100644 --- a/api_docs/kbn_alerts_grouping.mdx +++ b/api_docs/kbn_alerts_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-grouping title: "@kbn/alerts-grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-grouping plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-grouping'] --- import kbnAlertsGroupingObj from './kbn_alerts_grouping.devdocs.json'; diff --git a/api_docs/kbn_alerts_ui_shared.mdx b/api_docs/kbn_alerts_ui_shared.mdx index d3ce94387c0c4..e38dc65bfc7b5 100644 --- a/api_docs/kbn_alerts_ui_shared.mdx +++ b/api_docs/kbn_alerts_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-ui-shared title: "@kbn/alerts-ui-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-ui-shared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-ui-shared'] --- import kbnAlertsUiSharedObj from './kbn_alerts_ui_shared.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index fa00b1cfeaeed..4cd898b362563 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_collection_utils.mdx b/api_docs/kbn_analytics_collection_utils.mdx index 4ffc18c0abafb..05b6d019edccf 100644 --- a/api_docs/kbn_analytics_collection_utils.mdx +++ b/api_docs/kbn_analytics_collection_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-collection-utils title: "@kbn/analytics-collection-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-collection-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-collection-utils'] --- import kbnAnalyticsCollectionUtilsObj from './kbn_analytics_collection_utils.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 240bfb70abf05..41c848afa11aa 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_data_view.mdx b/api_docs/kbn_apm_data_view.mdx index a5b9c54b7ca4b..c9ac846e77e92 100644 --- a/api_docs/kbn_apm_data_view.mdx +++ b/api_docs/kbn_apm_data_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-data-view title: "@kbn/apm-data-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-data-view plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-data-view'] --- import kbnApmDataViewObj from './kbn_apm_data_view.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index 1ac094cca9bda..3575c2dac7f0e 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace_client.mdx b/api_docs/kbn_apm_synthtrace_client.mdx index 22c58940f4a17..217bc427e0951 100644 --- a/api_docs/kbn_apm_synthtrace_client.mdx +++ b/api_docs/kbn_apm_synthtrace_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace-client title: "@kbn/apm-synthtrace-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace-client plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace-client'] --- import kbnApmSynthtraceClientObj from './kbn_apm_synthtrace_client.devdocs.json'; diff --git a/api_docs/kbn_apm_types.devdocs.json b/api_docs/kbn_apm_types.devdocs.json index de5ecfa7d0b33..67fe0e0413b2b 100644 --- a/api_docs/kbn_apm_types.devdocs.json +++ b/api_docs/kbn_apm_types.devdocs.json @@ -2698,7 +2698,7 @@ "signature": [ "\"java\" | \"ruby\" | \"opentelemetry\" | \"dotnet\" | \"go\" | \"iOS/swift\" | \"js-base\" | \"nodejs\" | \"php\" | \"python\" | \"rum-js\" | \"android/java\" | \"otlp\" | `opentelemetry/${string}` | `otlp/${string}` | \"ios/swift\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3090,7 +3090,7 @@ "signature": [ "\"java\" | \"ruby\" | \"dotnet\" | \"go\" | \"iOS/swift\" | \"js-base\" | \"nodejs\" | \"php\" | \"python\" | \"rum-js\" | \"android/java\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -4336,7 +4336,7 @@ "signature": [ "\"opentelemetry\" | \"otlp\" | `opentelemetry/${string}` | `otlp/${string}`" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_apm_types.mdx b/api_docs/kbn_apm_types.mdx index 2edaca1778de0..196d10eb731fc 100644 --- a/api_docs/kbn_apm_types.mdx +++ b/api_docs/kbn_apm_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-types title: "@kbn/apm-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-types'] --- import kbnApmTypesObj from './kbn_apm_types.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index bf74614f0a536..76329e1afc39b 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_avc_banner.mdx b/api_docs/kbn_avc_banner.mdx index afb4c6d8365e2..caf1c5d429f3c 100644 --- a/api_docs/kbn_avc_banner.mdx +++ b/api_docs/kbn_avc_banner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-avc-banner title: "@kbn/avc-banner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/avc-banner plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/avc-banner'] --- import kbnAvcBannerObj from './kbn_avc_banner.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index e6ac4fd73cfa1..9c157a55f46b1 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_calculate_auto.mdx b/api_docs/kbn_calculate_auto.mdx index 3c661563e5908..675a7a5092557 100644 --- a/api_docs/kbn_calculate_auto.mdx +++ b/api_docs/kbn_calculate_auto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-auto title: "@kbn/calculate-auto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-auto plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-auto'] --- import kbnCalculateAutoObj from './kbn_calculate_auto.devdocs.json'; diff --git a/api_docs/kbn_calculate_width_from_char_count.mdx b/api_docs/kbn_calculate_width_from_char_count.mdx index 278fd5ef3b659..51651f273cbe8 100644 --- a/api_docs/kbn_calculate_width_from_char_count.mdx +++ b/api_docs/kbn_calculate_width_from_char_count.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-width-from-char-count title: "@kbn/calculate-width-from-char-count" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-width-from-char-count plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-width-from-char-count'] --- import kbnCalculateWidthFromCharCountObj from './kbn_calculate_width_from_char_count.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index 4d0492dfac8c2..fde591fc10014 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_cbor.mdx b/api_docs/kbn_cbor.mdx index b340fc50795d4..f12c86b8c372a 100644 --- a/api_docs/kbn_cbor.mdx +++ b/api_docs/kbn_cbor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cbor title: "@kbn/cbor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cbor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cbor'] --- import kbnCborObj from './kbn_cbor.devdocs.json'; diff --git a/api_docs/kbn_cell_actions.mdx b/api_docs/kbn_cell_actions.mdx index f733b87d9cb62..12c259a305df0 100644 --- a/api_docs/kbn_cell_actions.mdx +++ b/api_docs/kbn_cell_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cell-actions title: "@kbn/cell-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cell-actions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cell-actions'] --- import kbnCellActionsObj from './kbn_cell_actions.devdocs.json'; diff --git a/api_docs/kbn_chart_expressions_common.mdx b/api_docs/kbn_chart_expressions_common.mdx index 376546a2558aa..7ba3c50acaaec 100644 --- a/api_docs/kbn_chart_expressions_common.mdx +++ b/api_docs/kbn_chart_expressions_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-expressions-common title: "@kbn/chart-expressions-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-expressions-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-expressions-common'] --- import kbnChartExpressionsCommonObj from './kbn_chart_expressions_common.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index c8da863d2ba87..08e331a996f8c 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_charts_theme.devdocs.json b/api_docs/kbn_charts_theme.devdocs.json new file mode 100644 index 0000000000000..ffa23f34c4046 --- /dev/null +++ b/api_docs/kbn_charts_theme.devdocs.json @@ -0,0 +1,48 @@ +{ + "id": "@kbn/charts-theme", + "client": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "server": { + "classes": [], + "functions": [], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + }, + "common": { + "classes": [], + "functions": [ + { + "parentPluginId": "@kbn/charts-theme", + "id": "def-common.useElasticChartsTheme", + "type": "Function", + "tags": [], + "label": "useElasticChartsTheme", + "description": [ + "\nA hook used to get the `@elastic/charts` theme based on the current eui theme." + ], + "signature": [ + "() => ", + "Theme" + ], + "path": "packages/kbn-charts-theme/index.ts", + "deprecated": false, + "trackAdoption": false, + "children": [], + "returnComment": [], + "initialIsOpen": false + } + ], + "interfaces": [], + "enums": [], + "misc": [], + "objects": [] + } +} \ No newline at end of file diff --git a/api_docs/kbn_charts_theme.mdx b/api_docs/kbn_charts_theme.mdx new file mode 100644 index 0000000000000..fa40d7ff109b9 --- /dev/null +++ b/api_docs/kbn_charts_theme.mdx @@ -0,0 +1,30 @@ +--- +#### +#### 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. +#### +id: kibKbnChartsThemePluginApi +slug: /kibana-dev-docs/api/kbn-charts-theme +title: "@kbn/charts-theme" +image: https://source.unsplash.com/400x175/?github +description: API docs for the @kbn/charts-theme plugin +date: 2024-12-20 +tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/charts-theme'] +--- +import kbnChartsThemeObj from './kbn_charts_theme.devdocs.json'; + + + +Contact [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) for questions regarding this plugin. + +**Code health stats** + +| Public API count | Any count | Items lacking comments | Missing exports | +|-------------------|-----------|------------------------|-----------------| +| 1 | 0 | 0 | 0 | + +## Common + +### Functions + + diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index ecedbbb815406..6d0a34928c780 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index ca8a775d685d0..eedbec57704b8 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index 366b34192f384..cc92e1133810b 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index aaaa78ef7ff6f..e15befc0a6f19 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture.mdx b/api_docs/kbn_cloud_security_posture.mdx index c106b45a8d006..b5cc896786e88 100644 --- a/api_docs/kbn_cloud_security_posture.mdx +++ b/api_docs/kbn_cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture title: "@kbn/cloud-security-posture" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture'] --- import kbnCloudSecurityPostureObj from './kbn_cloud_security_posture.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_common.mdx b/api_docs/kbn_cloud_security_posture_common.mdx index b78dfde89295f..768cf9f4553ce 100644 --- a/api_docs/kbn_cloud_security_posture_common.mdx +++ b/api_docs/kbn_cloud_security_posture_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-common title: "@kbn/cloud-security-posture-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-common'] --- import kbnCloudSecurityPostureCommonObj from './kbn_cloud_security_posture_common.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_graph.devdocs.json b/api_docs/kbn_cloud_security_posture_graph.devdocs.json index 8182f0647e762..6dcfe6b1b174b 100644 --- a/api_docs/kbn_cloud_security_posture_graph.devdocs.json +++ b/api_docs/kbn_cloud_security_posture_graph.devdocs.json @@ -230,7 +230,7 @@ "section": "def-public.EdgeViewModel", "text": "EdgeViewModel" }, - " extends Record,Readonly<{} & { source: string; id: string; color: \"warning\" | \"primary\" | \"danger\"; target: string; }>" + " extends Record,Readonly<{ type?: \"dashed\" | \"solid\" | undefined; } & { source: string; id: string; color: \"warning\" | \"primary\" | \"danger\"; target: string; }>" ], "path": "x-pack/solutions/security/packages/kbn-cloud-security-posture/graph/src/components/types.ts", "deprecated": false, diff --git a/api_docs/kbn_cloud_security_posture_graph.mdx b/api_docs/kbn_cloud_security_posture_graph.mdx index ccff8ff03e3eb..b6cba09592d06 100644 --- a/api_docs/kbn_cloud_security_posture_graph.mdx +++ b/api_docs/kbn_cloud_security_posture_graph.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-graph title: "@kbn/cloud-security-posture-graph" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-graph plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-graph'] --- import kbnCloudSecurityPostureGraphObj from './kbn_cloud_security_posture_graph.devdocs.json'; diff --git a/api_docs/kbn_code_editor.mdx b/api_docs/kbn_code_editor.mdx index 4d902ac7601f3..e31399c9cd880 100644 --- a/api_docs/kbn_code_editor.mdx +++ b/api_docs/kbn_code_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor title: "@kbn/code-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor'] --- import kbnCodeEditorObj from './kbn_code_editor.devdocs.json'; diff --git a/api_docs/kbn_code_editor_mock.mdx b/api_docs/kbn_code_editor_mock.mdx index 6071a57f58949..0cb78ef0df564 100644 --- a/api_docs/kbn_code_editor_mock.mdx +++ b/api_docs/kbn_code_editor_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor-mock title: "@kbn/code-editor-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor-mock plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor-mock'] --- import kbnCodeEditorMockObj from './kbn_code_editor_mock.devdocs.json'; diff --git a/api_docs/kbn_code_owners.mdx b/api_docs/kbn_code_owners.mdx index b9ebcd961c01b..4f6449c668b38 100644 --- a/api_docs/kbn_code_owners.mdx +++ b/api_docs/kbn_code_owners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-owners title: "@kbn/code-owners" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-owners plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-owners'] --- import kbnCodeOwnersObj from './kbn_code_owners.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index c5c135cac7952..8295641d1b3df 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index f26f20f630d88..cb8f6be1bff8f 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index e098f8ac25fea..db55294576844 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index ac8289413d3cc..7784ca07a6d3d 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_editor.mdx b/api_docs/kbn_content_management_content_editor.mdx index 7787aaa5f108a..de47fa479beab 100644 --- a/api_docs/kbn_content_management_content_editor.mdx +++ b/api_docs/kbn_content_management_content_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-editor title: "@kbn/content-management-content-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-editor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-editor'] --- import kbnContentManagementContentEditorObj from './kbn_content_management_content_editor.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_public.mdx b/api_docs/kbn_content_management_content_insights_public.mdx index 0dd3542ab2915..ee8de34e26f30 100644 --- a/api_docs/kbn_content_management_content_insights_public.mdx +++ b/api_docs/kbn_content_management_content_insights_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-public title: "@kbn/content-management-content-insights-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-public plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-public'] --- import kbnContentManagementContentInsightsPublicObj from './kbn_content_management_content_insights_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_server.mdx b/api_docs/kbn_content_management_content_insights_server.mdx index 270dd30b67823..aafb257bb4ea9 100644 --- a/api_docs/kbn_content_management_content_insights_server.mdx +++ b/api_docs/kbn_content_management_content_insights_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-server title: "@kbn/content-management-content-insights-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-server'] --- import kbnContentManagementContentInsightsServerObj from './kbn_content_management_content_insights_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_common.mdx b/api_docs/kbn_content_management_favorites_common.mdx index 9929d0646a6e8..23b806ee1396d 100644 --- a/api_docs/kbn_content_management_favorites_common.mdx +++ b/api_docs/kbn_content_management_favorites_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-common title: "@kbn/content-management-favorites-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-common'] --- import kbnContentManagementFavoritesCommonObj from './kbn_content_management_favorites_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_public.mdx b/api_docs/kbn_content_management_favorites_public.mdx index 55f4543132c79..da9d79bd0fdb9 100644 --- a/api_docs/kbn_content_management_favorites_public.mdx +++ b/api_docs/kbn_content_management_favorites_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-public title: "@kbn/content-management-favorites-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-public plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-public'] --- import kbnContentManagementFavoritesPublicObj from './kbn_content_management_favorites_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_server.mdx b/api_docs/kbn_content_management_favorites_server.mdx index dcb263c314cb7..10df14a64bac3 100644 --- a/api_docs/kbn_content_management_favorites_server.mdx +++ b/api_docs/kbn_content_management_favorites_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-server title: "@kbn/content-management-favorites-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-server'] --- import kbnContentManagementFavoritesServerObj from './kbn_content_management_favorites_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_tabbed_table_list_view.mdx b/api_docs/kbn_content_management_tabbed_table_list_view.mdx index ca04c390729cc..abec810cd6568 100644 --- a/api_docs/kbn_content_management_tabbed_table_list_view.mdx +++ b/api_docs/kbn_content_management_tabbed_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-tabbed-table-list-view title: "@kbn/content-management-tabbed-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-tabbed-table-list-view plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-tabbed-table-list-view'] --- import kbnContentManagementTabbedTableListViewObj from './kbn_content_management_tabbed_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view.mdx b/api_docs/kbn_content_management_table_list_view.mdx index 7eaef50e124c5..cf371473b2a8c 100644 --- a/api_docs/kbn_content_management_table_list_view.mdx +++ b/api_docs/kbn_content_management_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view title: "@kbn/content-management-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view'] --- import kbnContentManagementTableListViewObj from './kbn_content_management_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_common.mdx b/api_docs/kbn_content_management_table_list_view_common.mdx index b26e794452ad5..29ac735f5e7d8 100644 --- a/api_docs/kbn_content_management_table_list_view_common.mdx +++ b/api_docs/kbn_content_management_table_list_view_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-common title: "@kbn/content-management-table-list-view-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-common'] --- import kbnContentManagementTableListViewCommonObj from './kbn_content_management_table_list_view_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_table.mdx b/api_docs/kbn_content_management_table_list_view_table.mdx index c14054926cbf4..f0df2489224dc 100644 --- a/api_docs/kbn_content_management_table_list_view_table.mdx +++ b/api_docs/kbn_content_management_table_list_view_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-table title: "@kbn/content-management-table-list-view-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-table plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-table'] --- import kbnContentManagementTableListViewTableObj from './kbn_content_management_table_list_view_table.devdocs.json'; diff --git a/api_docs/kbn_content_management_user_profiles.mdx b/api_docs/kbn_content_management_user_profiles.mdx index 03443b3a39719..2a6e73277c1e1 100644 --- a/api_docs/kbn_content_management_user_profiles.mdx +++ b/api_docs/kbn_content_management_user_profiles.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-user-profiles title: "@kbn/content-management-user-profiles" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-user-profiles plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-user-profiles'] --- import kbnContentManagementUserProfilesObj from './kbn_content_management_user_profiles.devdocs.json'; diff --git a/api_docs/kbn_content_management_utils.mdx b/api_docs/kbn_content_management_utils.mdx index 3b89eb9f19a8c..9d682857f65da 100644 --- a/api_docs/kbn_content_management_utils.mdx +++ b/api_docs/kbn_content_management_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-utils title: "@kbn/content-management-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-utils'] --- import kbnContentManagementUtilsObj from './kbn_content_management_utils.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.devdocs.json b/api_docs/kbn_core_analytics_browser.devdocs.json index bf03226292177..8754eaa2360d9 100644 --- a/api_docs/kbn_core_analytics_browser.devdocs.json +++ b/api_docs/kbn_core_analytics_browser.devdocs.json @@ -659,8 +659,8 @@ "path": "src/plugins/discover/public/services/discover_ebt_manager.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" + "plugin": "integrationAssistant", + "path": "x-pack/platform/plugins/shared/integration_assistant/public/services/telemetry/service.ts" }, { "plugin": "fleet", @@ -683,24 +683,8 @@ "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "integrationAssistant", - "path": "x-pack/platform/plugins/shared/integration_assistant/public/services/telemetry/service.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" }, { "plugin": "globalSearchBar", @@ -734,70 +718,6 @@ "plugin": "apm", "path": "x-pack/plugins/observability_solution/apm/public/services/telemetry/telemetry_client.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, { "plugin": "inventory", "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_client.ts" @@ -819,52 +739,24 @@ "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityLogsExplorer", - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts" + "plugin": "spaces", + "path": "x-pack/plugins/spaces/public/management/management_service.test.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/app.tsx" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "spaces", - "path": "x-pack/plugins/spaces/public/management/management_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { "plugin": "securitySolution", @@ -1002,6 +894,114 @@ "plugin": "observabilityAIAssistant", "path": "x-pack/platform/plugins/shared/observability_solution/observability_ai_assistant/public/service/create_chat_service.test.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "observabilityLogsExplorer", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/app.tsx" + }, { "plugin": "securitySolutionServerless", "path": "x-pack/solutions/security/plugins/security_solution_serverless/server/task_manager/nlp_cleanup_task/nlp_cleanup_task.ts" @@ -1239,220 +1239,220 @@ "path": "x-pack/plugins/observability_solution/apm/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "securitySolution", @@ -1882,11 +1882,11 @@ }, { "plugin": "telemetry", - "path": "src/plugins/telemetry/server/plugin.ts" + "path": "src/plugins/telemetry/public/plugin.ts" }, { "plugin": "telemetry", - "path": "src/plugins/telemetry/public/plugin.ts" + "path": "src/plugins/telemetry/server/plugin.ts" }, { "plugin": "securitySolution", diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index e95ddc1d2a0f4..24fc9ec30fd1e 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index 34b5026e35241..ccf1456d84cbf 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index b38b5a8497e50..615647e4487a2 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.devdocs.json b/api_docs/kbn_core_analytics_server.devdocs.json index 793e015584e48..19962075b2601 100644 --- a/api_docs/kbn_core_analytics_server.devdocs.json +++ b/api_docs/kbn_core_analytics_server.devdocs.json @@ -667,8 +667,8 @@ "path": "src/plugins/discover/public/services/discover_ebt_manager.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" + "plugin": "integrationAssistant", + "path": "x-pack/platform/plugins/shared/integration_assistant/public/services/telemetry/service.ts" }, { "plugin": "fleet", @@ -691,24 +691,8 @@ "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "integrationAssistant", - "path": "x-pack/platform/plugins/shared/integration_assistant/public/services/telemetry/service.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/telemetry/fleet_usage_sender.ts" }, { "plugin": "globalSearchBar", @@ -742,70 +726,6 @@ "plugin": "apm", "path": "x-pack/plugins/observability_solution/apm/public/services/telemetry/telemetry_client.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_client.ts" - }, { "plugin": "inventory", "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_client.ts" @@ -827,52 +747,24 @@ "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityLogsExplorer", - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts" - }, - { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts" + "plugin": "spaces", + "path": "x-pack/plugins/spaces/public/management/management_service.test.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/application/app.tsx" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { - "plugin": "spaces", - "path": "x-pack/plugins/spaces/public/management/management_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_client.ts" }, { "plugin": "securitySolution", @@ -1010,6 +902,114 @@ "plugin": "observabilityAIAssistant", "path": "x-pack/platform/plugins/shared/observability_solution/observability_ai_assistant/public/service/create_chat_service.test.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_client.ts" + }, + { + "plugin": "observabilityLogsExplorer", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/public/state_machines/observability_logs_explorer/src/telemetry_events.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/empty_prompt.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/get_started_panel.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/feedback_buttons.tsx" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/auto_detect/use_auto_detect_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/hooks/use_flow_progress_telemetry.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/kubernetes/use_kubernetes_flow.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/shared/use_window_blur_data_monitoring_trigger.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/quickstart_flows/firehose/use_firehose_flow.ts" + }, + { + "plugin": "observabilityOnboarding", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/application/app.tsx" + }, { "plugin": "securitySolutionServerless", "path": "x-pack/solutions/security/plugins/security_solution_serverless/server/task_manager/nlp_cleanup_task/nlp_cleanup_task.ts" @@ -1247,220 +1247,220 @@ "path": "x-pack/plugins/observability_solution/apm/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/public/services/telemetry/telemetry_service.test.ts" + "plugin": "inventory", + "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/public/services/telemetry/telemetry_service.test.ts" + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { - "plugin": "inventory", - "path": "x-pack/plugins/observability_solution/inventory/public/services/telemetry/telemetry_service.test.ts" + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/public/services/telemetry/telemetry_service.test.ts" }, { "plugin": "securitySolution", @@ -1890,11 +1890,11 @@ }, { "plugin": "telemetry", - "path": "src/plugins/telemetry/server/plugin.ts" + "path": "src/plugins/telemetry/public/plugin.ts" }, { "plugin": "telemetry", - "path": "src/plugins/telemetry/public/plugin.ts" + "path": "src/plugins/telemetry/server/plugin.ts" }, { "plugin": "securitySolution", diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index 36bee7151610c..3af3816a55074 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index ff5224dfa9b3f..3cdb0d66ed339 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index 9a815d9991652..430435f8d59be 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index 451b60ef5fc91..ceb941428273e 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index a14dbe7b9a183..df374531b49e0 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index ec9329b89378e..0925da7d6dae7 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 40b509dde743f..8d0a627eab162 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index b8206d56be5eb..4c685b0232ac3 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index dac6d0bf1c701..9a10cbd7282d2 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 7b0d7f05e6f18..708c21d884e03 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index 69d2fa6d2ef5d..28d81f026dc48 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 526fc38acac6a..cba7d17fb8cc7 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index 97cf9311fd890..e27783ffb1f30 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index 777e982766b5c..4cc94820e9d70 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index 6d45d57ee629c..7aec9574399c1 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 5a27309f530cd..03b25d4ed202d 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index a6ea5faccd40e..4b81d368d5e91 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index 2430e735a3dca..17b79142240ff 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 1cda4e55a0de3..5448a3af0c389 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index 8c3b91607a007..4d43481510c09 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index d8a4cdc325c0e..cf66a2c775aca 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser.mdx b/api_docs/kbn_core_custom_branding_browser.mdx index 1b6d8c1fb2b07..2b23c23033555 100644 --- a/api_docs/kbn_core_custom_branding_browser.mdx +++ b/api_docs/kbn_core_custom_branding_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser title: "@kbn/core-custom-branding-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser'] --- import kbnCoreCustomBrandingBrowserObj from './kbn_core_custom_branding_browser.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_internal.mdx b/api_docs/kbn_core_custom_branding_browser_internal.mdx index d2ac968216371..1e43da6c44a90 100644 --- a/api_docs/kbn_core_custom_branding_browser_internal.mdx +++ b/api_docs/kbn_core_custom_branding_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-internal title: "@kbn/core-custom-branding-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-internal'] --- import kbnCoreCustomBrandingBrowserInternalObj from './kbn_core_custom_branding_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_mocks.mdx b/api_docs/kbn_core_custom_branding_browser_mocks.mdx index 490f48b9be164..c5bae47e4cf2a 100644 --- a/api_docs/kbn_core_custom_branding_browser_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-mocks title: "@kbn/core-custom-branding-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-mocks'] --- import kbnCoreCustomBrandingBrowserMocksObj from './kbn_core_custom_branding_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_common.mdx b/api_docs/kbn_core_custom_branding_common.mdx index 1efd5b46df1bd..543d22b5a6a06 100644 --- a/api_docs/kbn_core_custom_branding_common.mdx +++ b/api_docs/kbn_core_custom_branding_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-common title: "@kbn/core-custom-branding-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-common'] --- import kbnCoreCustomBrandingCommonObj from './kbn_core_custom_branding_common.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server.mdx b/api_docs/kbn_core_custom_branding_server.mdx index 4fee9a9f7f60d..fc26e55f62bbf 100644 --- a/api_docs/kbn_core_custom_branding_server.mdx +++ b/api_docs/kbn_core_custom_branding_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server title: "@kbn/core-custom-branding-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server'] --- import kbnCoreCustomBrandingServerObj from './kbn_core_custom_branding_server.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_internal.mdx b/api_docs/kbn_core_custom_branding_server_internal.mdx index a95cdba36bd7e..4c785de459c3e 100644 --- a/api_docs/kbn_core_custom_branding_server_internal.mdx +++ b/api_docs/kbn_core_custom_branding_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-internal title: "@kbn/core-custom-branding-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-internal'] --- import kbnCoreCustomBrandingServerInternalObj from './kbn_core_custom_branding_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_mocks.mdx b/api_docs/kbn_core_custom_branding_server_mocks.mdx index 0c6a30190e1d8..b8e4b48ba7564 100644 --- a/api_docs/kbn_core_custom_branding_server_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-mocks title: "@kbn/core-custom-branding-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-mocks'] --- import kbnCoreCustomBrandingServerMocksObj from './kbn_core_custom_branding_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index 42ebf40c6e31a..f2cab1385a330 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index fd3671ce4acfe..1eccc62f27765 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 90d7114ea7b21..c5194fd4bac0d 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 1702f4554f0c0..2338d079cf1e6 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index 087e0ddf03e09..b73c652beeb88 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index cf31ef2f1646d..f92c8a859ea52 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index 8db5cf6d3c89d..016bb3a3e2635 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index 1b1b5e1620af1..0f799626e966e 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index abf975a7a5867..9e92e5f9d5973 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index 44c4c9ee29571..e6cee75019b32 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index aed1d5557fbb3..2073f94d124e8 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 7a8e32abcb313..e52db11a73b3b 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index cb68c825e9010..b7402f5c6b571 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.devdocs.json b/api_docs/kbn_core_elasticsearch_server.devdocs.json index c8fbb1b6c5633..ffcf4ca34be48 100644 --- a/api_docs/kbn_core_elasticsearch_server.devdocs.json +++ b/api_docs/kbn_core_elasticsearch_server.devdocs.json @@ -793,7 +793,7 @@ }, { "plugin": "observabilityOnboarding", - "path": "x-pack/plugins/observability_solution/observability_onboarding/server/plugin.ts" + "path": "x-pack/solutions/observability/plugins/observability_onboarding/server/plugin.ts" }, { "plugin": "console", @@ -1095,7 +1095,7 @@ "Headers used for authentication against Elasticsearch" ], "signature": [ - "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; expires?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" + "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; expires?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" ], "path": "packages/core/elasticsearch/core-elasticsearch-server/src/client/scopeable_request.ts", "deprecated": false, diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index 092f12b019dec..15c19faac2f13 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index c9d92d2390182..f4e42009fd0f4 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index b34b79de7dba0..9a0fc6d9ca627 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index 174ebdf0e6012..92563cc945a58 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index 01ca0ae48a0d6..d799eb8e91a3e 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 7c928441dfdb1..23ece3214e325 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index a4243053a1597..07115f1ee6f2a 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index 1e94d20fd967d..ea7d689bdc45e 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 87abd0d9b7dc1..38fa89e40f586 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index d0c6ea84c2ebc..ed8964c22ee4f 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index 19e10a8087719..8c537c394c460 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 91af8759178ac..5b1aa901fd54c 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index e79877f8aec82..4b1037412891e 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index fb926afb0dab7..69c1b0fb65a01 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser.mdx b/api_docs/kbn_core_feature_flags_browser.mdx index 03a7cfdc2f3a6..64ca745263d34 100644 --- a/api_docs/kbn_core_feature_flags_browser.mdx +++ b/api_docs/kbn_core_feature_flags_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser title: "@kbn/core-feature-flags-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser'] --- import kbnCoreFeatureFlagsBrowserObj from './kbn_core_feature_flags_browser.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_internal.mdx b/api_docs/kbn_core_feature_flags_browser_internal.mdx index 99e9dca6f573f..47809dc6d803b 100644 --- a/api_docs/kbn_core_feature_flags_browser_internal.mdx +++ b/api_docs/kbn_core_feature_flags_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-internal title: "@kbn/core-feature-flags-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-internal'] --- import kbnCoreFeatureFlagsBrowserInternalObj from './kbn_core_feature_flags_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_mocks.mdx b/api_docs/kbn_core_feature_flags_browser_mocks.mdx index f1c606be51a9d..4758d94de721c 100644 --- a/api_docs/kbn_core_feature_flags_browser_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-mocks title: "@kbn/core-feature-flags-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-mocks'] --- import kbnCoreFeatureFlagsBrowserMocksObj from './kbn_core_feature_flags_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server.mdx b/api_docs/kbn_core_feature_flags_server.mdx index 0d5c89d106716..f6588ab2d9f17 100644 --- a/api_docs/kbn_core_feature_flags_server.mdx +++ b/api_docs/kbn_core_feature_flags_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server title: "@kbn/core-feature-flags-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server'] --- import kbnCoreFeatureFlagsServerObj from './kbn_core_feature_flags_server.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_internal.mdx b/api_docs/kbn_core_feature_flags_server_internal.mdx index 955148e0c0dc3..58b3feb60b6c0 100644 --- a/api_docs/kbn_core_feature_flags_server_internal.mdx +++ b/api_docs/kbn_core_feature_flags_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-internal title: "@kbn/core-feature-flags-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-internal'] --- import kbnCoreFeatureFlagsServerInternalObj from './kbn_core_feature_flags_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_mocks.mdx b/api_docs/kbn_core_feature_flags_server_mocks.mdx index 104277385367d..5251f50ec510f 100644 --- a/api_docs/kbn_core_feature_flags_server_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-mocks title: "@kbn/core-feature-flags-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-mocks'] --- import kbnCoreFeatureFlagsServerMocksObj from './kbn_core_feature_flags_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index de8e666c34345..06245bfd4830a 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 0de0d1e2c0dc5..503ae6a409470 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index 6298b23c9504e..aae380c2cf6f1 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index 71034ee2ef6bb..b593962916b45 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index dbb3d86f4da95..f921310f4eb34 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index 772a97414f2be..3618a296e3041 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index 3da662e7eef5b..37194845a6f68 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 9a4debfbc8e92..6fa776f2c219a 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index b5ce71cc2ce63..b79d89ca32c7c 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index f1e38d208f3ad..38ea5fffb6319 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index 0d986738e0650..40e87a7486065 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.devdocs.json b/api_docs/kbn_core_http_server.devdocs.json index d1b72c1c4a300..1b2c670e70072 100644 --- a/api_docs/kbn_core_http_server.devdocs.json +++ b/api_docs/kbn_core_http_server.devdocs.json @@ -1160,7 +1160,7 @@ "The headers associated with the request." ], "signature": [ - "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; expires?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" + "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; expires?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" ], "path": "packages/core/http/core-http-server/src/router/raw_request.ts", "deprecated": false, @@ -4009,26 +4009,6 @@ "plugin": "banners", "path": "x-pack/plugins/banners/server/routes/info.ts" }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/get_all_tags.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/get_tag.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/find_assignable_objects.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/get_assignable_types.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/internal/find_tags.ts" - }, { "plugin": "globalSearch", "path": "x-pack/plugins/global_search/server/routes/get_searchable_types.ts" @@ -4462,72 +4442,24 @@ "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_datastream_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_datastream_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_list_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_list_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/inference_models/register_get_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/mapping/register_mapping_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/nodes/register_nodes_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/get_all_tags.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/settings/register_load_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/get_tag.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/stats/register_stats_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/find_assignable_objects.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_get_routes.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/get_assignable_types.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_get_routes.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/internal/find_tags.ts" }, { "plugin": "logstash", @@ -4737,14 +4669,6 @@ "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/routes/metric_indices/index.ts" }, - { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/routes/fields.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "profiling", "path": "x-pack/plugins/observability_solution/profiling/server/routes/apm.ts" @@ -4801,6 +4725,74 @@ "plugin": "apmDataAccess", "path": "x-pack/plugins/observability_solution/apm_data_access/server/lib/helpers/create_es_client/create_apm_event_client/index.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_datastream_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_datastream_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_list_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_list_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/inference_models/register_get_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_mapping_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/nodes/register_nodes_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_load_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/stats/register_stats_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_get_routes.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_get_routes.ts" + }, { "plugin": "remoteClusters", "path": "x-pack/platform/plugins/private/remote_clusters/server/routes/api/get_route.ts" @@ -5009,6 +5001,14 @@ "plugin": "grokdebugger", "path": "x-pack/platform/plugins/private/grokdebugger/server/lib/kibana_framework.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/routes/fields.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -5473,14 +5473,6 @@ "plugin": "actions", "path": "x-pack/plugins/actions/server/routes/connector/list_types_system/list_types_system.test.ts" }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts" - }, { "plugin": "spaces", "path": "x-pack/plugins/spaces/server/routes/api/internal/get_active_space.test.ts" @@ -5717,6 +5709,14 @@ "plugin": "crossClusterReplication", "path": "x-pack/platform/plugins/private/cross_cluster_replication/server/routes/api/follower_index/register_get_route.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_privileges_route.test.ts" + }, { "plugin": "savedObjectsManagement", "path": "src/plugins/saved_objects_management/server/routes/index.test.ts" @@ -5833,10 +5833,6 @@ "plugin": "@kbn/core-rendering-server-internal", "path": "packages/core/rendering/core-rendering-server-internal/src/bootstrap/register_bootstrap_route.test.ts" }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/test/helpers/router_mock.ts" - }, { "plugin": "security", "path": "x-pack/plugins/security/server/routes/anonymous_access/get_capabilities.test.ts" @@ -5945,6 +5941,10 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authorization/spaces/share_saved_object_permissions.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts" + }, { "plugin": "snapshotRestore", "path": "x-pack/platform/plugins/private/snapshot_restore/server/test/helpers/router_mock.ts" @@ -6523,22 +6523,6 @@ "plugin": "inference", "path": "x-pack/platform/plugins/shared/inference/server/routes/chat_complete.ts" }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/create_tag.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/update_tag.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/update_tags_assignments.ts" - }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/internal/bulk_delete.ts" - }, { "plugin": "globalSearch", "path": "x-pack/plugins/global_search/server/routes/find.ts" @@ -6884,92 +6868,28 @@ "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "graph", - "path": "x-pack/plugins/graph/server/routes/search.ts" - }, - { - "plugin": "graph", - "path": "x-pack/plugins/graph/server/routes/explore.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_create_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_delete_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_post_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_post_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_create_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_clear_cache_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_close_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_flush_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_forcemerge_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_open_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_refresh_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_reload_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/create_tag.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_delete_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/update_tag.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_unfreeze_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/assignments/update_tags_assignments.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_delete_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/internal/bulk_delete.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_create_route.ts" + "plugin": "graph", + "path": "x-pack/plugins/graph/server/routes/search.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_simulate_route.ts" + "plugin": "graph", + "path": "x-pack/plugins/graph/server/routes/explore.ts" }, { "plugin": "logstash", @@ -7128,16 +7048,88 @@ "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { - "plugin": "visTypeTimeseries", - "path": "src/plugins/vis_types/timeseries/server/routes/vis.ts" + "plugin": "profiling", + "path": "x-pack/plugins/observability_solution/profiling/server/routes/setup/route.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_create_route.ts" }, { - "plugin": "profiling", - "path": "x-pack/plugins/observability_solution/profiling/server/routes/setup/route.ts" + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_delete_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_post_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_post_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_clear_cache_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_close_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_flush_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_forcemerge_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_open_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_refresh_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_reload_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_delete_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_unfreeze_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_delete_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_simulate_route.ts" }, { "plugin": "remoteClusters", @@ -7347,6 +7339,14 @@ "plugin": "grokdebugger", "path": "x-pack/platform/plugins/private/grokdebugger/server/lib/kibana_framework.ts" }, + { + "plugin": "visTypeTimeseries", + "path": "src/plugins/vis_types/timeseries/server/routes/vis.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -8099,10 +8099,6 @@ "plugin": "interactiveSetup", "path": "src/plugins/interactive_setup/server/routes/verify.test.ts" }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/test/helpers/router_mock.ts" - }, { "plugin": "security", "path": "x-pack/plugins/security/server/routes/analytics/authentication_type.test.ts" @@ -8187,6 +8183,10 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/users/change_password.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts" + }, { "plugin": "snapshotRestore", "path": "x-pack/platform/plugins/private/snapshot_restore/server/test/helpers/router_mock.ts" @@ -8391,7 +8391,7 @@ }, { "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts" + "path": "x-pack/platform/plugins/shared/logs_shared/server/routes/deprecations/migrate_log_view_settings.ts" }, { "plugin": "enterpriseSearch", @@ -8550,52 +8550,24 @@ "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/settings.ts" }, { - "plugin": "enterpriseSearch", - "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/settings.ts" - }, - { - "plugin": "enterpriseSearch", - "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" - }, - { - "plugin": "enterpriseSearch", - "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" - }, - { - "plugin": "enterpriseSearch", - "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" - }, - { - "plugin": "enterpriseSearch", - "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_update_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/data_streams/register_put_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_execute_route.ts" + "plugin": "enterpriseSearch", + "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/settings.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/indices/register_create_route.ts" + "plugin": "enterpriseSearch", + "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/mapping/register_update_mapping_route.ts" + "plugin": "enterpriseSearch", + "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/settings/register_update_route.ts" + "plugin": "enterpriseSearch", + "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/templates/register_update_route.ts" + "plugin": "enterpriseSearch", + "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { "plugin": "logstash", @@ -8626,8 +8598,32 @@ "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_update_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/data_streams/register_put_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_execute_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/indices/register_create_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/mapping/register_update_mapping_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/settings/register_update_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/templates/register_update_route.ts" }, { "plugin": "remoteClusters", @@ -8709,6 +8705,10 @@ "plugin": "grokdebugger", "path": "x-pack/platform/plugins/private/grokdebugger/server/lib/kibana_framework.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -8817,10 +8817,6 @@ "plugin": "crossClusterReplication", "path": "x-pack/platform/plugins/private/cross_cluster_replication/server/routes/api/follower_index/register_update_route.test.ts" }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/test/helpers/router_mock.ts" - }, { "plugin": "cases", "path": "x-pack/plugins/cases/server/routes/api/register_routes.test.ts" @@ -8833,6 +8829,10 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authentication/index.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts" + }, { "plugin": "snapshotRestore", "path": "x-pack/platform/plugins/private/snapshot_restore/server/test/helpers/router_mock.ts" @@ -9035,14 +9035,14 @@ "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "@kbn/test-suites-xpack", "path": "x-pack/test/alerting_api_integration/common/plugins/actions_simulators/server/resilient_simulation.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "@kbn/core-http-router-server-internal", "path": "packages/core/http/core-http-router-server-internal/src/router.ts" @@ -9125,7 +9125,7 @@ }, { "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/test/helpers/router_mock.ts" + "path": "x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts" }, { "plugin": "snapshotRestore", @@ -9353,10 +9353,6 @@ "plugin": "alerting", "path": "x-pack/plugins/alerting/server/routes/backfill/apis/delete/delete_backfill_route.ts" }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/delete_tag.ts" - }, { "plugin": "enterpriseSearch", "path": "x-pack/plugins/enterprise_search/server/routes/enterprise_search/crawler/crawler_extraction_rules.ts" @@ -9486,12 +9482,8 @@ "path": "x-pack/plugins/enterprise_search/server/routes/workplace_search/sources.ts" }, { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/component_templates/register_delete_route.ts" - }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/routes/api/enrich_policies/register_delete_route.ts" + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/routes/tags/delete_tag.ts" }, { "plugin": "logstash", @@ -9538,8 +9530,12 @@ "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/component_templates/register_delete_route.ts" + }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/routes/api/enrich_policies/register_delete_route.ts" }, { "plugin": "remoteClusters", @@ -9577,6 +9573,10 @@ "plugin": "grokdebugger", "path": "x-pack/platform/plugins/private/grokdebugger/server/lib/kibana_framework.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -9677,10 +9677,6 @@ "plugin": "crossClusterReplication", "path": "x-pack/platform/plugins/private/cross_cluster_replication/server/routes/api/auto_follow_pattern/register_delete_route.test.ts" }, - { - "plugin": "indexManagement", - "path": "x-pack/plugins/index_management/server/test/helpers/router_mock.ts" - }, { "plugin": "security", "path": "x-pack/plugins/security/server/routes/authentication/index.test.ts" @@ -9693,6 +9689,10 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/role_mapping/delete.test.ts" }, + { + "plugin": "indexManagement", + "path": "x-pack/platform/plugins/shared/index_management/server/test/helpers/router_mock.ts" + }, { "plugin": "snapshotRestore", "path": "x-pack/platform/plugins/private/snapshot_restore/server/test/helpers/router_mock.ts" @@ -10809,7 +10809,7 @@ "\nReadonly copy of incoming request headers." ], "signature": [ - "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; expires?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" + "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; expires?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" ], "path": "packages/core/http/core-http-server/src/router/request.ts", "deprecated": false, @@ -13682,7 +13682,7 @@ "tags": [], "label": "documentationUrl", "description": [ - "\nlink to the documentation for more details on the deprecation." + "\nLink to the documentation for more details on the deprecation.\n" ], "path": "packages/core/http/core-http-server/src/router/route.ts", "deprecated": false, @@ -15337,10 +15337,6 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authorization/roles/get_all.ts" }, - { - "plugin": "bfetch", - "path": "src/plugins/bfetch/server/plugin.ts" - }, { "plugin": "data", "path": "src/plugins/data/server/search/routes/session.ts" @@ -15365,6 +15361,14 @@ "plugin": "controls", "path": "src/plugins/controls/server/options_list/options_list_cluster_settings_route.ts" }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/server/api/register_routes.ts" + }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/server/api/register_routes.ts" + }, { "plugin": "@kbn/core-http-router-server-mocks", "path": "packages/core/http/core-http-router-server-mocks/src/versioned_router.mock.ts" @@ -15405,29 +15409,9 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/server/routes/functions/functions.ts" }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_config.ts" - }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_config.ts" - }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_last_reported.ts" - }, - { - "plugin": "fieldsMetadata", - "path": "x-pack/plugins/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts" - }, - { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" - }, { "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { "plugin": "ml", @@ -15673,6 +15657,26 @@ "plugin": "fileUpload", "path": "x-pack/plugins/file_upload/server/routes.ts" }, + { + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_config.ts" + }, + { + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_config.ts" + }, + { + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_last_reported.ts" + }, + { + "plugin": "fieldsMetadata", + "path": "x-pack/platform/plugins/shared/fields_metadata/server/routes/fields_metadata/find_fields_metadata.ts" + }, + { + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" + }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/mvt/mvt_routes.ts" @@ -15697,22 +15701,10 @@ "plugin": "maps", "path": "x-pack/plugins/maps/server/routes.ts" }, - { - "plugin": "dashboard", - "path": "src/plugins/dashboard/server/api/register_routes.ts" - }, - { - "plugin": "dashboard", - "path": "src/plugins/dashboard/server/api/register_routes.ts" - }, { "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "dataUsage", "path": "x-pack/platform/plugins/private/data_usage/server/routes/internal/data_streams.ts" @@ -16161,6 +16153,10 @@ "plugin": "dataUsage", "path": "x-pack/platform/plugins/private/data_usage/server/routes/internal/data_streams.test.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -16504,10 +16500,6 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authorization/roles/put.ts" }, - { - "plugin": "bfetch", - "path": "src/plugins/bfetch/server/plugin.ts" - }, { "plugin": "data", "path": "src/plugins/data/server/search/routes/session.ts" @@ -16516,6 +16508,10 @@ "plugin": "data", "path": "src/plugins/data/server/query/routes.ts" }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/server/api/register_routes.ts" + }, { "plugin": "@kbn/core-http-router-server-mocks", "path": "packages/core/http/core-http-router-server-mocks/src/versioned_router.mock.ts" @@ -16536,21 +16532,9 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/server/routes/workpad/update.ts" }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_user_has_seen_notice.ts" - }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_last_reported.ts" - }, - { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" - }, { "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { "plugin": "ml", @@ -16597,16 +16581,20 @@ "path": "x-pack/platform/plugins/shared/ml/server/routes/inference_models.ts" }, { - "plugin": "dashboard", - "path": "src/plugins/dashboard/server/api/register_routes.ts" + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_user_has_seen_notice.ts" }, { - "plugin": "metricsDataAccess", - "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_last_reported.ts" }, { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" + }, + { + "plugin": "metricsDataAccess", + "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { "plugin": "transform", @@ -16688,6 +16676,10 @@ "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/siem_migrations/rules/api/retry.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -16871,10 +16863,6 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authorization/roles/post.ts" }, - { - "plugin": "bfetch", - "path": "src/plugins/bfetch/server/plugin.ts" - }, { "plugin": "data", "path": "src/plugins/data/server/search/routes/session.ts" @@ -16919,6 +16907,10 @@ "plugin": "controls", "path": "src/plugins/controls/server/options_list/options_list_suggestions_route.ts" }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/server/api/register_routes.ts" + }, { "plugin": "@kbn/core-http-router-server-mocks", "path": "packages/core/http/core-http-router-server-mocks/src/versioned_router.mock.ts" @@ -16943,25 +16935,9 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/server/routes/functions/functions.ts" }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_opt_in_stats.ts" - }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_opt_in.ts" - }, - { - "plugin": "telemetry", - "path": "src/plugins/telemetry/server/routes/telemetry_usage_stats.ts" - }, - { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" - }, { "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { "plugin": "ml", @@ -17284,25 +17260,33 @@ "path": "x-pack/plugins/file_upload/server/routes.ts" }, { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/data_indexing/indexing_routes.ts" + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_opt_in_stats.ts" + }, + { + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_opt_in.ts" + }, + { + "plugin": "telemetry", + "path": "src/plugins/telemetry/server/routes/telemetry_usage_stats.ts" + }, + { + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" }, { "plugin": "maps", "path": "x-pack/plugins/maps/server/data_indexing/indexing_routes.ts" }, { - "plugin": "dashboard", - "path": "src/plugins/dashboard/server/api/register_routes.ts" + "plugin": "maps", + "path": "x-pack/plugins/maps/server/data_indexing/indexing_routes.ts" }, { "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "dataUsage", "path": "x-pack/platform/plugins/private/data_usage/server/routes/internal/usage_metrics.ts" @@ -17795,6 +17779,10 @@ "plugin": "dataUsage", "path": "x-pack/platform/plugins/private/data_usage/server/routes/internal/usage_metrics.test.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -17999,21 +17987,17 @@ "path": "packages/core/http/core-http-router-server-mocks/src/versioned_router.mock.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" + "plugin": "logsShared", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { - "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" }, { "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "lists", "path": "x-pack/solutions/security/plugins/lists/server/routes/list_item/patch_list_item_route.ts" @@ -18042,6 +18026,10 @@ "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/timeline/routes/pinned_events/persist_pinned_event.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/detection_engine/rule_management/api/rules/bulk_patch_rules/route.ts" @@ -18161,10 +18149,6 @@ "plugin": "security", "path": "x-pack/plugins/security/server/routes/authorization/roles/delete.ts" }, - { - "plugin": "bfetch", - "path": "src/plugins/bfetch/server/plugin.ts" - }, { "plugin": "data", "path": "src/plugins/data/server/search/routes/session.ts" @@ -18177,6 +18161,10 @@ "plugin": "data", "path": "src/plugins/data/server/query/routes.ts" }, + { + "plugin": "dashboard", + "path": "src/plugins/dashboard/server/api/register_routes.ts" + }, { "plugin": "@kbn/core-http-router-server-mocks", "path": "packages/core/http/core-http-router-server-mocks/src/versioned_router.mock.ts" @@ -18189,13 +18177,9 @@ "plugin": "canvas", "path": "x-pack/plugins/canvas/server/routes/workpad/delete.ts" }, - { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" - }, { "plugin": "logsShared", - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/adapters/framework/kibana_framework_adapter.ts" }, { "plugin": "ml", @@ -18234,21 +18218,17 @@ "path": "x-pack/platform/plugins/shared/ml/server/routes/anomaly_detectors.ts" }, { - "plugin": "maps", - "path": "x-pack/plugins/maps/server/data_indexing/indexing_routes.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/services/security/fleet_router.ts" }, { - "plugin": "dashboard", - "path": "src/plugins/dashboard/server/api/register_routes.ts" + "plugin": "maps", + "path": "x-pack/plugins/maps/server/data_indexing/indexing_routes.ts" }, { "plugin": "metricsDataAccess", "path": "x-pack/plugins/observability_solution/metrics_data_access/server/lib/adapters/framework/kibana_framework_adapter.ts" }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" - }, { "plugin": "lists", "path": "x-pack/solutions/security/plugins/lists/server/routes/delete_endpoint_list_item_route.ts" @@ -18321,6 +18301,10 @@ "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/entity_analytics/entity_store/routes/delete.ts" }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/adapters/framework/kibana_framework_adapter.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/server.ts" @@ -19253,7 +19237,7 @@ "\nHttp request headers to read." ], "signature": [ - "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; expires?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" + "{ date?: string | string[] | undefined; allow?: string | string[] | undefined; warning?: string | string[] | undefined; location?: string | string[] | undefined; authorization?: string | string[] | undefined; from?: string | string[] | undefined; host?: string | string[] | undefined; range?: string | string[] | undefined; etag?: string | string[] | undefined; expires?: string | string[] | undefined; accept?: string | string[] | undefined; \"accept-language\"?: string | string[] | undefined; \"accept-patch\"?: string | string[] | undefined; \"accept-ranges\"?: string | string[] | undefined; \"access-control-allow-credentials\"?: string | string[] | undefined; \"access-control-allow-headers\"?: string | string[] | undefined; \"access-control-allow-methods\"?: string | string[] | undefined; \"access-control-allow-origin\"?: string | string[] | undefined; \"access-control-expose-headers\"?: string | string[] | undefined; \"access-control-max-age\"?: string | string[] | undefined; \"access-control-request-headers\"?: string | string[] | undefined; \"access-control-request-method\"?: string | string[] | undefined; age?: string | string[] | undefined; \"alt-svc\"?: string | string[] | undefined; \"cache-control\"?: string | string[] | undefined; connection?: string | string[] | undefined; \"content-disposition\"?: string | string[] | undefined; \"content-encoding\"?: string | string[] | undefined; \"content-language\"?: string | string[] | undefined; \"content-length\"?: string | string[] | undefined; \"content-location\"?: string | string[] | undefined; \"content-range\"?: string | string[] | undefined; \"content-type\"?: string | string[] | undefined; cookie?: string | string[] | undefined; expect?: string | string[] | undefined; forwarded?: string | string[] | undefined; \"if-match\"?: string | string[] | undefined; \"if-modified-since\"?: string | string[] | undefined; \"if-none-match\"?: string | string[] | undefined; \"if-unmodified-since\"?: string | string[] | undefined; \"last-modified\"?: string | string[] | undefined; origin?: string | string[] | undefined; pragma?: string | string[] | undefined; \"proxy-authenticate\"?: string | string[] | undefined; \"proxy-authorization\"?: string | string[] | undefined; \"public-key-pins\"?: string | string[] | undefined; referer?: string | string[] | undefined; \"retry-after\"?: string | string[] | undefined; \"sec-websocket-accept\"?: string | string[] | undefined; \"sec-websocket-extensions\"?: string | string[] | undefined; \"sec-websocket-key\"?: string | string[] | undefined; \"sec-websocket-protocol\"?: string | string[] | undefined; \"sec-websocket-version\"?: string | string[] | undefined; \"set-cookie\"?: string | string[] | undefined; \"strict-transport-security\"?: string | string[] | undefined; tk?: string | string[] | undefined; trailer?: string | string[] | undefined; \"transfer-encoding\"?: string | string[] | undefined; upgrade?: string | string[] | undefined; \"user-agent\"?: string | string[] | undefined; vary?: string | string[] | undefined; via?: string | string[] | undefined; \"www-authenticate\"?: string | string[] | undefined; } & { [header: string]: string | string[] | undefined; }" ], "path": "packages/core/http/core-http-server/src/router/headers.ts", "deprecated": false, @@ -19621,7 +19605,7 @@ "\nSet of well-known HTTP headers." ], "signature": [ - "\"date\" | \"allow\" | \"warning\" | \"location\" | \"authorization\" | \"from\" | \"host\" | \"range\" | \"etag\" | \"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\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"expect\" | \"expires\" | \"forwarded\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"origin\" | \"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\"" + "\"date\" | \"allow\" | \"warning\" | \"location\" | \"authorization\" | \"from\" | \"host\" | \"range\" | \"etag\" | \"expires\" | \"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\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"expect\" | \"forwarded\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"origin\" | \"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\"" ], "path": "packages/core/http/core-http-server/src/router/headers.ts", "deprecated": false, @@ -20791,7 +20775,7 @@ "\nHttp response headers to set." ], "signature": [ - "Record<\"date\" | \"allow\" | \"warning\" | \"location\" | \"authorization\" | \"from\" | \"host\" | \"range\" | \"etag\" | \"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\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"expect\" | \"expires\" | \"forwarded\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"origin\" | \"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" + "Record<\"date\" | \"allow\" | \"warning\" | \"location\" | \"authorization\" | \"from\" | \"host\" | \"range\" | \"etag\" | \"expires\" | \"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\" | \"cache-control\" | \"connection\" | \"content-disposition\" | \"content-encoding\" | \"content-language\" | \"content-length\" | \"content-location\" | \"content-range\" | \"content-type\" | \"cookie\" | \"expect\" | \"forwarded\" | \"if-match\" | \"if-modified-since\" | \"if-none-match\" | \"if-unmodified-since\" | \"last-modified\" | \"origin\" | \"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" ], "path": "packages/core/http/core-http-server/src/router/headers.ts", "deprecated": false, diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index 673e294128639..cf1ac315ba63f 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.devdocs.json b/api_docs/kbn_core_http_server_internal.devdocs.json index 2abb537aeabba..4fc8d951c5c05 100644 --- a/api_docs/kbn_core_http_server_internal.devdocs.json +++ b/api_docs/kbn_core_http_server_internal.devdocs.json @@ -1475,7 +1475,7 @@ "label": "HttpConfigType", "description": [], "signature": [ - "{ readonly uuid?: string | undefined; readonly basePath?: string | undefined; readonly publicBaseUrl?: string | undefined; readonly name: string; readonly ssl: Readonly<{ key?: string | undefined; certificateAuthorities?: string | string[] | undefined; certificate?: string | undefined; keyPassphrase?: string | undefined; redirectHttpFromPort?: number | undefined; } & { enabled: boolean; keystore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; readonly host: string; readonly http2: Readonly<{} & { allowUnsecure: boolean; }>; readonly protocol: \"http1\" | \"http2\"; readonly port: number; readonly compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; readonly cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; readonly versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; readonly autoListen: boolean; readonly shutdownTimeout: moment.Duration; readonly cdn: Readonly<{ url?: string | null | undefined; } & {}>; readonly oas: Readonly<{} & { enabled: boolean; }>; readonly securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; readonly customResponseHeaders: Record; readonly maxPayload: ", + "{ readonly uuid?: string | undefined; readonly basePath?: string | undefined; readonly publicBaseUrl?: string | undefined; readonly name: string; readonly ssl: Readonly<{ key?: string | undefined; certificateAuthorities?: string | string[] | undefined; certificate?: string | undefined; keyPassphrase?: string | undefined; redirectHttpFromPort?: number | undefined; } & { enabled: boolean; keystore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; readonly host: string; readonly protocol: \"http1\" | \"http2\"; readonly port: number; readonly compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; readonly cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; readonly http2: Readonly<{} & { allowUnsecure: boolean; }>; readonly versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; readonly autoListen: boolean; readonly shutdownTimeout: moment.Duration; readonly cdn: Readonly<{ url?: string | null | undefined; } & {}>; readonly oas: Readonly<{} & { enabled: boolean; }>; readonly securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; readonly customResponseHeaders: Record; readonly maxPayload: ", { "pluginId": "@kbn/config-schema", "scope": "common", diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index 9a29d79c71401..bea8b5daf9a59 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.devdocs.json b/api_docs/kbn_core_http_server_mocks.devdocs.json index 5e2d0f91e58c4..4e03b2ddb6185 100644 --- a/api_docs/kbn_core_http_server_mocks.devdocs.json +++ b/api_docs/kbn_core_http_server_mocks.devdocs.json @@ -19,7 +19,7 @@ "label": "createConfigService", "description": [], "signature": [ - "({ server, externalUrl, csp, }?: Partial<{ server: Partial; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; host: string; http2: Readonly<{} & { allowUnsecure: boolean; }>; protocol: \"http1\" | \"http2\"; port: number; compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; autoListen: boolean; shutdownTimeout: moment.Duration; cdn: Readonly<{ url?: string | null | undefined; } & {}>; oas: Readonly<{} & { enabled: boolean; }>; securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; customResponseHeaders: Record; maxPayload: ", + "({ server, externalUrl, csp, }?: Partial<{ server: Partial; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; host: string; protocol: \"http1\" | \"http2\"; port: number; compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; http2: Readonly<{} & { allowUnsecure: boolean; }>; versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; autoListen: boolean; shutdownTimeout: moment.Duration; cdn: Readonly<{ url?: string | null | undefined; } & {}>; oas: Readonly<{} & { enabled: boolean; }>; securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; customResponseHeaders: Record; maxPayload: ", { "pluginId": "@kbn/config-schema", "scope": "common", @@ -56,7 +56,7 @@ "label": "{\n server,\n externalUrl,\n csp,\n}", "description": [], "signature": [ - "Partial<{ server: Partial; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; host: string; http2: Readonly<{} & { allowUnsecure: boolean; }>; protocol: \"http1\" | \"http2\"; port: number; compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; autoListen: boolean; shutdownTimeout: moment.Duration; cdn: Readonly<{ url?: string | null | undefined; } & {}>; oas: Readonly<{} & { enabled: boolean; }>; securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; customResponseHeaders: Record; maxPayload: ", + "Partial<{ server: Partial; truststore: Readonly<{ password?: string | undefined; path?: string | undefined; } & {}>; cipherSuites: string[]; supportedProtocols: string[]; clientAuthentication: \"none\" | \"required\" | \"optional\"; }>; host: string; protocol: \"http1\" | \"http2\"; port: number; compression: Readonly<{ referrerWhitelist?: string[] | undefined; } & { enabled: boolean; brotli: Readonly<{} & { enabled: boolean; quality: number; }>; }>; cors: Readonly<{} & { enabled: boolean; allowCredentials: boolean; allowOrigin: string[] | \"*\"[]; }>; http2: Readonly<{} & { allowUnsecure: boolean; }>; versioned: Readonly<{} & { useVersionResolutionStrategyForInternalPaths: string[]; versionResolution: \"none\" | \"oldest\" | \"newest\"; strictClientVersionCheck: boolean; }>; autoListen: boolean; shutdownTimeout: moment.Duration; cdn: Readonly<{ url?: string | null | undefined; } & {}>; oas: Readonly<{} & { enabled: boolean; }>; securityResponseHeaders: Readonly<{ permissionsPolicyReportOnly?: string | null | undefined; } & { referrerPolicy: \"origin\" | \"no-referrer\" | \"no-referrer-when-downgrade\" | \"origin-when-cross-origin\" | \"same-origin\" | \"strict-origin\" | \"strict-origin-when-cross-origin\" | \"unsafe-url\" | null; strictTransportSecurity: string | null; xContentTypeOptions: \"nosniff\" | null; permissionsPolicy: string | null; disableEmbedding: boolean; crossOriginOpenerPolicy: \"same-origin\" | \"unsafe-none\" | \"same-origin-allow-popups\" | null; }>; customResponseHeaders: Record; maxPayload: ", { "pluginId": "@kbn/config-schema", "scope": "common", @@ -348,7 +348,7 @@ "section": "def-server.HttpServiceSetup", "text": "HttpServiceSetup" }, - ", \"createRouter\" | \"basePath\"> & { basePath: BasePathMocked; staticAssets: StaticAssetsMocked; createRouter: jest.MockedFunction<() => ", + ", \"basePath\" | \"createRouter\"> & { basePath: BasePathMocked; staticAssets: StaticAssetsMocked; createRouter: jest.MockedFunction<() => ", { "pluginId": "@kbn/core-http-router-server-mocks", "scope": "server", @@ -671,7 +671,7 @@ }, "[], [], unknown>; } & Omit<", "InternalHttpServiceSetup", - ", \"createRouter\" | \"basePath\" | \"auth\" | \"staticAssets\" | \"authRequestHeaders\"> & { auth: AuthMocked; basePath: BasePathMocked; staticAssets: InternalStaticAssetsMocked; createRouter: jest.MockedFunction<(path: string) => ", + ", \"basePath\" | \"auth\" | \"staticAssets\" | \"createRouter\" | \"authRequestHeaders\"> & { auth: AuthMocked; basePath: BasePathMocked; staticAssets: InternalStaticAssetsMocked; createRouter: jest.MockedFunction<(path: string) => ", { "pluginId": "@kbn/core-http-router-server-mocks", "scope": "server", diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index c4384528a14be..0fc4a0a278a2b 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_utils.mdx b/api_docs/kbn_core_http_server_utils.mdx index e78713611d91b..2bd886b37c7fd 100644 --- a/api_docs/kbn_core_http_server_utils.mdx +++ b/api_docs/kbn_core_http_server_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-utils title: "@kbn/core-http-server-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-utils'] --- import kbnCoreHttpServerUtilsObj from './kbn_core_http_server_utils.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index 613d1a570bc33..9765290619893 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 7ed0537f69272..72235aa2ada3e 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index 2126343f7b72b..d2a52bff71339 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index a11df5eb4739a..cac0393f1132c 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index 6c494f80b613a..424064b36df50 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 67d1c47168bd5..9f0bd4f627725 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index b750b8c378946..fbb7c455e2c99 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index cda3c7d40e14e..e3cb35d2790e6 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index 9a63688cd7dae..f8995ed0c0fba 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index 32a651b502d4e..32f25fd29b5b4 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 806fff3399256..8736d8d3c6102 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index 5fdfee20020e5..9a88dcf732e3e 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 5c0de3945785b..08325061b7cd0 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index 0cfb42d3ed7b3..b6ec1f01e4d2c 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index 1675309c72da6..ac470cb5ce0df 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index 2522feee9bc7d..7171c5ff54242 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index 5beda5b3775a8..72913a7643c6a 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index 3d4be8a4b14d1..809358cd1b712 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index e8e734d502e52..6a35928cf1851 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index 072410488a275..0777e7a4a3cfe 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index e13c587c2bc24..acaa9e3e7469e 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index c7b918a2e9ddc..67ab42d5928c1 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index a097d89603a41..3946fbfacf78a 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index 00131c0c68107..ca3e07c80e8ee 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index 1dae34b7e0814..cd2b5b340af08 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index 1f057ea368f29..28b93ebfe8df3 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 0657df2dd8d9f..a9caaffdcb315 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index 10267c0d620d8..d353bf52e6a84 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index efdd22d590033..44d8549b35cb8 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 80ea5f9522866..d88cc75cd23b3 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 5ed5d6b78c859..5cc351bdd8866 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 38fff828c14ea..6352eac36e07c 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index acdb1c717ca6c..9ce8ef52e5f94 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index d6eae38c55504..fe046b8fcacf4 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_browser.mdx b/api_docs/kbn_core_plugins_contracts_browser.mdx index a585042448fa4..938c435b201ae 100644 --- a/api_docs/kbn_core_plugins_contracts_browser.mdx +++ b/api_docs/kbn_core_plugins_contracts_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-browser title: "@kbn/core-plugins-contracts-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-browser'] --- import kbnCorePluginsContractsBrowserObj from './kbn_core_plugins_contracts_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_server.mdx b/api_docs/kbn_core_plugins_contracts_server.mdx index cd5eb5840a774..5e54c76897558 100644 --- a/api_docs/kbn_core_plugins_contracts_server.mdx +++ b/api_docs/kbn_core_plugins_contracts_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-server title: "@kbn/core-plugins-contracts-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-server'] --- import kbnCorePluginsContractsServerObj from './kbn_core_plugins_contracts_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index 78c7a545356d9..7f4a8cc3ddf93 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index ff843ff13c10a..cc1e79f894315 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 2604b47848abd..6a57d8de42072 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index e57a61dd074b3..7a1e5387d328e 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser.mdx b/api_docs/kbn_core_rendering_browser.mdx index fac20d1c3319b..2283536ee2ec6 100644 --- a/api_docs/kbn_core_rendering_browser.mdx +++ b/api_docs/kbn_core_rendering_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser title: "@kbn/core-rendering-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser'] --- import kbnCoreRenderingBrowserObj from './kbn_core_rendering_browser.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index 6ab1c7486552a..3476981d8f28f 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index c1d1be36b6800..fc086f0b0c174 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index 43b8d849f8f57..0231b9ae0526b 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 3517b530eed36..6a11cf3e2dc33 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index 68e311d9f7dea..415d15f4b52d1 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index e7c5f1332e4ab..a4ca8eada899e 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index 2e29f0f2ef3a1..048d053a11f91 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index efaf6d59f9f47..e0147286e04a7 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index 48ccb19fac0e2..cd60d872ee045 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index 9c2a050ee876b..a64c4f019555b 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index 6976ce4d7963e..0ca4163f2f315 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index 57c887773718e..92f24e264877e 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.devdocs.json b/api_docs/kbn_core_saved_objects_common.devdocs.json index 0e78b5059b88f..ef4b910cc546c 100644 --- a/api_docs/kbn_core_saved_objects_common.devdocs.json +++ b/api_docs/kbn_core_saved_objects_common.devdocs.json @@ -1611,22 +1611,6 @@ "plugin": "@kbn/core", "path": "src/core/public/index.ts" }, - { - "plugin": "embeddable", - "path": "src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts" - }, - { - "plugin": "embeddable", - "path": "src/plugins/embeddable/public/lib/embeddables/default_embeddable_factory_provider.ts" - }, - { - "plugin": "embeddable", - "path": "src/plugins/embeddable/public/types.ts" - }, - { - "plugin": "embeddable", - "path": "src/plugins/embeddable/public/types.ts" - }, { "plugin": "savedObjects", "path": "src/plugins/saved_objects/public/types.ts" diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index 90a02c3ba6486..ca547aa58dcf7 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index bc189982fca8c..9e5d1aa676c1a 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index f903a836aba23..8d1affdb4e196 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index ee364f02a8924..58b2542ac8b9b 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 432bfa7126b63..512dec2001490 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.devdocs.json b/api_docs/kbn_core_saved_objects_server.devdocs.json index 01dd435084330..6f5b9e9a49703 100644 --- a/api_docs/kbn_core_saved_objects_server.devdocs.json +++ b/api_docs/kbn_core_saved_objects_server.devdocs.json @@ -10755,16 +10755,16 @@ "path": "x-pack/plugins/cases/server/saved_object_types/connector_mappings.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" + "plugin": "ml", + "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" + "plugin": "ml", + "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" }, { - "plugin": "fleet", - "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" + "plugin": "ml", + "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" }, { "plugin": "fleet", @@ -10775,16 +10775,16 @@ "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" }, { - "plugin": "ml", - "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" }, { - "plugin": "ml", - "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" }, { - "plugin": "ml", - "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/saved_objects.ts" + "plugin": "fleet", + "path": "x-pack/plugins/fleet/server/saved_objects/index.ts" }, { "plugin": "graph", @@ -10802,18 +10802,6 @@ "plugin": "apm", "path": "x-pack/plugins/observability_solution/apm/server/saved_objects/apm_service_groups.ts" }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/server/saved_objects/visualization.ts" - }, - { - "plugin": "infra", - "path": "x-pack/plugins/observability_solution/infra/server/lib/sources/saved_object_type.ts" - }, - { - "plugin": "slo", - "path": "x-pack/solutions/observability/plugins/slo/server/saved_objects/slo.ts" - }, { "plugin": "lists", "path": "x-pack/solutions/security/plugins/lists/server/saved_objects/exception_list.ts" @@ -10842,6 +10830,18 @@ "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/endpoint/lib/artifacts/saved_object_mappings.ts" }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/server/saved_objects/visualization.ts" + }, + { + "plugin": "infra", + "path": "x-pack/solutions/observability/plugins/infra/server/lib/sources/saved_object_type.ts" + }, + { + "plugin": "slo", + "path": "x-pack/solutions/observability/plugins/slo/server/saved_objects/slo.ts" + }, { "plugin": "synthetics", "path": "x-pack/solutions/observability/plugins/synthetics/server/saved_objects/synthetics_monitor.ts" @@ -11593,10 +11593,6 @@ "plugin": "maps", "path": "x-pack/plugins/maps/server/saved_objects/setup_saved_objects.ts" }, - { - "plugin": "visualizations", - "path": "src/plugins/visualizations/server/saved_objects/visualization.ts" - }, { "plugin": "lists", "path": "x-pack/solutions/security/plugins/lists/server/saved_objects/exception_list.ts" @@ -11617,6 +11613,10 @@ "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/detection_engine/rule_actions_legacy/logic/rule_actions/legacy_saved_object_mappings.ts" }, + { + "plugin": "visualizations", + "path": "src/plugins/visualizations/server/saved_objects/visualization.ts" + }, { "plugin": "@kbn/core-test-helpers-so-type-serializer", "path": "packages/core/test-helpers/core-test-helpers-so-type-serializer/src/extract_migration_info.ts" diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index ed48faf4f3c66..bc2a3606d51b0 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index f6a3ded591dec..e9fd0e52bc45a 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 06bddd7bebcca..7c0b232a83e47 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index 9563736fe3aef..1b9e81348de91 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser.mdx b/api_docs/kbn_core_security_browser.mdx index 58ee1731294e1..ccd433b04d3c6 100644 --- a/api_docs/kbn_core_security_browser.mdx +++ b/api_docs/kbn_core_security_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser title: "@kbn/core-security-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser'] --- import kbnCoreSecurityBrowserObj from './kbn_core_security_browser.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_internal.mdx b/api_docs/kbn_core_security_browser_internal.mdx index 8d7c302c34dd2..e04a2e9a211b8 100644 --- a/api_docs/kbn_core_security_browser_internal.mdx +++ b/api_docs/kbn_core_security_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-internal title: "@kbn/core-security-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-internal'] --- import kbnCoreSecurityBrowserInternalObj from './kbn_core_security_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_mocks.devdocs.json b/api_docs/kbn_core_security_browser_mocks.devdocs.json index 3d76985b7d337..d962a7f16c0bc 100644 --- a/api_docs/kbn_core_security_browser_mocks.devdocs.json +++ b/api_docs/kbn_core_security_browser_mocks.devdocs.json @@ -146,7 +146,9 @@ "section": "def-common.AuthenticatedUser", "text": "AuthenticatedUser" }, - ", \"roles\"> & { roles: string[]; }>) => { username: string; enabled: boolean; metadata: { _reserved: boolean; _deprecated?: boolean | undefined; _deprecated_reason?: string | undefined; }; email: string; operator?: boolean | undefined; full_name: string; profile_uid: string; authentication_provider: ", + ", \"roles\"> & { roles: string[]; }>) => { username: string; enabled: boolean; metadata: { _reserved: boolean; _deprecated?: boolean | undefined; _deprecated_reason?: string | undefined; }; email: string; operator?: boolean | undefined; full_name: string; profile_uid: string; api_key?: ", + "ApiKeyDescriptor", + " | undefined; authentication_provider: ", { "pluginId": "@kbn/core-security-common", "scope": "common", diff --git a/api_docs/kbn_core_security_browser_mocks.mdx b/api_docs/kbn_core_security_browser_mocks.mdx index aca5a7b4c73fd..1e0f0a5acdea1 100644 --- a/api_docs/kbn_core_security_browser_mocks.mdx +++ b/api_docs/kbn_core_security_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-mocks title: "@kbn/core-security-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-mocks'] --- import kbnCoreSecurityBrowserMocksObj from './kbn_core_security_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_security_common.devdocs.json b/api_docs/kbn_core_security_common.devdocs.json index fdae7a470ddf4..3dbd4b350da5a 100644 --- a/api_docs/kbn_core_security_common.devdocs.json +++ b/api_docs/kbn_core_security_common.devdocs.json @@ -173,6 +173,23 @@ "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "@kbn/core-security-common", + "id": "def-common.AuthenticatedUser.api_key", + "type": "Object", + "tags": [], + "label": "api_key", + "description": [ + "\nMetadata of the API key that was used to authenticate the user." + ], + "signature": [ + "ApiKeyDescriptor", + " | undefined" + ], + "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false diff --git a/api_docs/kbn_core_security_common.mdx b/api_docs/kbn_core_security_common.mdx index 18773454ba57c..bdb3216c7eab8 100644 --- a/api_docs/kbn_core_security_common.mdx +++ b/api_docs/kbn_core_security_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-common title: "@kbn/core-security-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-common'] --- import kbnCoreSecurityCommonObj from './kbn_core_security_common.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 21 | 0 | 6 | 0 | +| 22 | 0 | 6 | 1 | ## Common diff --git a/api_docs/kbn_core_security_server.mdx b/api_docs/kbn_core_security_server.mdx index 8a5c4ca90d5cd..3c3024ae04f53 100644 --- a/api_docs/kbn_core_security_server.mdx +++ b/api_docs/kbn_core_security_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server title: "@kbn/core-security-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server'] --- import kbnCoreSecurityServerObj from './kbn_core_security_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_internal.mdx b/api_docs/kbn_core_security_server_internal.mdx index 75fa371ccbffa..f954b20c3ac91 100644 --- a/api_docs/kbn_core_security_server_internal.mdx +++ b/api_docs/kbn_core_security_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-internal title: "@kbn/core-security-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-internal'] --- import kbnCoreSecurityServerInternalObj from './kbn_core_security_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_mocks.devdocs.json b/api_docs/kbn_core_security_server_mocks.devdocs.json index 4708eeb9f6c18..ca814e94e9e9b 100644 --- a/api_docs/kbn_core_security_server_mocks.devdocs.json +++ b/api_docs/kbn_core_security_server_mocks.devdocs.json @@ -312,7 +312,9 @@ "section": "def-common.AuthenticatedUser", "text": "AuthenticatedUser" }, - ", \"roles\"> & { roles: string[]; }>) => { username: string; enabled: boolean; metadata: { _reserved: boolean; _deprecated?: boolean | undefined; _deprecated_reason?: string | undefined; }; email: string; operator?: boolean | undefined; full_name: string; profile_uid: string; authentication_provider: ", + ", \"roles\"> & { roles: string[]; }>) => { username: string; enabled: boolean; metadata: { _reserved: boolean; _deprecated?: boolean | undefined; _deprecated_reason?: string | undefined; }; email: string; operator?: boolean | undefined; full_name: string; profile_uid: string; api_key?: ", + "ApiKeyDescriptor", + " | undefined; authentication_provider: ", { "pluginId": "@kbn/core-security-common", "scope": "common", diff --git a/api_docs/kbn_core_security_server_mocks.mdx b/api_docs/kbn_core_security_server_mocks.mdx index fcb60324a671f..cf88ef5deda72 100644 --- a/api_docs/kbn_core_security_server_mocks.mdx +++ b/api_docs/kbn_core_security_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-mocks title: "@kbn/core-security-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-mocks'] --- import kbnCoreSecurityServerMocksObj from './kbn_core_security_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index f07664059ba87..546f751e038d5 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index f7228de3b417b..7e04a8f7b4d47 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index 58ef144643276..60cc6b6b9a66e 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index fd9c6bf17dbb5..61bc8aa81412c 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index 5a8786df3e455..9992d110943a0 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index 251b3ec47699b..197665da0ddf9 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index 6119d36e9a78a..4c0bbd24a24c1 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_model_versions.mdx b/api_docs/kbn_core_test_helpers_model_versions.mdx index 5089317b07c32..6d9caf6813942 100644 --- a/api_docs/kbn_core_test_helpers_model_versions.mdx +++ b/api_docs/kbn_core_test_helpers_model_versions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-model-versions title: "@kbn/core-test-helpers-model-versions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-model-versions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-model-versions'] --- import kbnCoreTestHelpersModelVersionsObj from './kbn_core_test_helpers_model_versions.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index 3447a4c10ff8e..093bad4380394 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index 9601cc8d1e7c2..def322da3d903 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index 62ebbffe99fc1..1bdf622aaf494 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index f822093990c8e..ab1676e17ba75 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 557caa85deacc..a27a0034f7298 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index f77887175bd43..5066bdbf58343 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index e3066e4ff94cb..e5221330d4c08 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index 9b57ef652f831..e2d56045ccf67 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index 70b867845fb5d..f9a627bd28643 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index 1617ec1167e4a..5a4d8043f12c4 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index 115d6e57a300b..05d1a43e86a1a 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index 4a5db347be18a..8e9f12057501d 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index 2d5d28bc5d7d6..918eece11be23 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index e627823758fc1..122120d406eb8 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser.mdx b/api_docs/kbn_core_user_profile_browser.mdx index 7b5ef82899b18..c46e307bc9e04 100644 --- a/api_docs/kbn_core_user_profile_browser.mdx +++ b/api_docs/kbn_core_user_profile_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser title: "@kbn/core-user-profile-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser'] --- import kbnCoreUserProfileBrowserObj from './kbn_core_user_profile_browser.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_internal.mdx b/api_docs/kbn_core_user_profile_browser_internal.mdx index 67d177d00a7be..cc785d31fe460 100644 --- a/api_docs/kbn_core_user_profile_browser_internal.mdx +++ b/api_docs/kbn_core_user_profile_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-internal title: "@kbn/core-user-profile-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-internal'] --- import kbnCoreUserProfileBrowserInternalObj from './kbn_core_user_profile_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_mocks.mdx b/api_docs/kbn_core_user_profile_browser_mocks.mdx index 92dec3d374299..9fb7a253f26f2 100644 --- a/api_docs/kbn_core_user_profile_browser_mocks.mdx +++ b/api_docs/kbn_core_user_profile_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-mocks title: "@kbn/core-user-profile-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-mocks'] --- import kbnCoreUserProfileBrowserMocksObj from './kbn_core_user_profile_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_common.mdx b/api_docs/kbn_core_user_profile_common.mdx index 392def435b102..642833b90363c 100644 --- a/api_docs/kbn_core_user_profile_common.mdx +++ b/api_docs/kbn_core_user_profile_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-common title: "@kbn/core-user-profile-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-common'] --- import kbnCoreUserProfileCommonObj from './kbn_core_user_profile_common.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server.mdx b/api_docs/kbn_core_user_profile_server.mdx index 05b9a92277bd9..da0b1c14f8974 100644 --- a/api_docs/kbn_core_user_profile_server.mdx +++ b/api_docs/kbn_core_user_profile_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server title: "@kbn/core-user-profile-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server'] --- import kbnCoreUserProfileServerObj from './kbn_core_user_profile_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_internal.mdx b/api_docs/kbn_core_user_profile_server_internal.mdx index 2a01c10cac685..9f7d12779e17c 100644 --- a/api_docs/kbn_core_user_profile_server_internal.mdx +++ b/api_docs/kbn_core_user_profile_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-internal title: "@kbn/core-user-profile-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-internal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-internal'] --- import kbnCoreUserProfileServerInternalObj from './kbn_core_user_profile_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_mocks.mdx b/api_docs/kbn_core_user_profile_server_mocks.mdx index 60c2ade6d1e72..98f6a82168077 100644 --- a/api_docs/kbn_core_user_profile_server_mocks.mdx +++ b/api_docs/kbn_core_user_profile_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-mocks title: "@kbn/core-user-profile-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-mocks'] --- import kbnCoreUserProfileServerMocksObj from './kbn_core_user_profile_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server.mdx b/api_docs/kbn_core_user_settings_server.mdx index ca34401382576..01bca392c19da 100644 --- a/api_docs/kbn_core_user_settings_server.mdx +++ b/api_docs/kbn_core_user_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server title: "@kbn/core-user-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server'] --- import kbnCoreUserSettingsServerObj from './kbn_core_user_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server_mocks.mdx b/api_docs/kbn_core_user_settings_server_mocks.mdx index e88981a7517af..5fea4a690115a 100644 --- a/api_docs/kbn_core_user_settings_server_mocks.mdx +++ b/api_docs/kbn_core_user_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server-mocks title: "@kbn/core-user-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server-mocks'] --- import kbnCoreUserSettingsServerMocksObj from './kbn_core_user_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index ac3d7e8a1b229..978c86f665dc2 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index ed84390ce30d4..fa01c8d49023a 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_custom_icons.devdocs.json b/api_docs/kbn_custom_icons.devdocs.json index bc0a6de71888a..eddaff5d5ca80 100644 --- a/api_docs/kbn_custom_icons.devdocs.json +++ b/api_docs/kbn_custom_icons.devdocs.json @@ -37,7 +37,7 @@ }, ") => React.JSX.Element" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -57,7 +57,7 @@ "text": "AgentIconProps" } ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -84,7 +84,7 @@ }, ") => React.JSX.Element" ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -104,7 +104,7 @@ "text": "CloudProviderIconProps" } ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -123,7 +123,7 @@ "signature": [ "(agentName: string | undefined, isDarkMode: boolean) => string" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -137,7 +137,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -152,7 +152,7 @@ "signature": [ "boolean" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_agent_icon.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -179,7 +179,7 @@ }, ") => \"cloudSunny\" | \"logoAWS\" | \"logoAzure\" | \"logoGCP\"" ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -199,7 +199,7 @@ "text": "CloudProvider" } ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -226,7 +226,7 @@ }, " | undefined) => string" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -247,7 +247,7 @@ }, " | undefined" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/get_serverless_icon.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -277,7 +277,7 @@ "EuiIconProps", ", \"type\">" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -298,7 +298,7 @@ }, " | undefined" ], - "path": "packages/kbn-custom-icons/src/components/agent_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/agent_icon/index.tsx", "deprecated": false, "trackAdoption": false } @@ -324,7 +324,7 @@ "EuiIconProps", ", \"type\">" ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -338,7 +338,7 @@ "signature": [ "\"aws\" | \"azure\" | \"gcp\" | \"unknownProvider\" | null | undefined" ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/index.tsx", "deprecated": false, "trackAdoption": false } @@ -358,7 +358,7 @@ "signature": [ "\"aws\" | \"azure\" | \"gcp\" | \"unknownProvider\" | null | undefined" ], - "path": "packages/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", + "path": "src/platform/packages/shared/kbn-custom-icons/src/components/cloud_provider_icon/get_cloud_provider_icon.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_custom_icons.mdx b/api_docs/kbn_custom_icons.mdx index 6d81649cfe815..611161902893b 100644 --- a/api_docs/kbn_custom_icons.mdx +++ b/api_docs/kbn_custom_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-icons title: "@kbn/custom-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-icons plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-icons'] --- import kbnCustomIconsObj from './kbn_custom_icons.devdocs.json'; diff --git a/api_docs/kbn_custom_integrations.devdocs.json b/api_docs/kbn_custom_integrations.devdocs.json index bc61d44d54e79..b4f26194c1161 100644 --- a/api_docs/kbn_custom_integrations.devdocs.json +++ b/api_docs/kbn_custom_integrations.devdocs.json @@ -13,7 +13,7 @@ "signature": [ "({ isDisabled, onClick, testSubj, }: ConnectedCustomIntegrationsButtonProps) => React.JSX.Element | null" ], - "path": "packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -27,7 +27,7 @@ "signature": [ "ConnectedCustomIntegrationsButtonProps" ], - "path": "packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_button.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -46,7 +46,7 @@ "signature": [ "({ testSubjects }: Props) => React.JSX.Element | null" ], - "path": "packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -60,7 +60,7 @@ "signature": [ "Props" ], - "path": "packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/components/custom_integrations_form.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -79,7 +79,7 @@ "signature": [ "React.FunctionComponent>" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -127,7 +127,7 @@ "Mode", "; dispatchableEvents: { saveCreateFields: (() => void) | undefined; updateCreateFields: ((fields: Partial<{ integrationName: string; datasets: { name: string; type: \"metrics\" | \"logs\"; }[]; }>) => void) | undefined; }; }" ], - "path": "packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -210,7 +210,7 @@ "ServiceMap", ">>; }" ], - "path": "packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_custom_integrations.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -226,7 +226,7 @@ "tags": [], "label": "Callbacks", "description": [], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -240,7 +240,7 @@ "signature": [ "((integrationOptions: { integrationName: string; datasets: { name: string; type: \"metrics\" | \"logs\"; }[]; }) => void) | undefined" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -254,7 +254,7 @@ "signature": [ "{ integrationName: string; datasets: { name: string; type: \"metrics\" | \"logs\"; }[]; }" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -272,7 +272,7 @@ "signature": [ "((integrationName: string) => void) | undefined" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -286,7 +286,7 @@ "signature": [ "string" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -306,7 +306,7 @@ "IntegrationError", ") => void) | undefined" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -320,7 +320,7 @@ "signature": [ "IntegrationError" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/provider.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -344,7 +344,7 @@ "signature": [ "{ integrationName: string; datasets: { name: string; type: \"metrics\" | \"logs\"; }[]; }" ], - "path": "packages/kbn-custom-integrations/src/types.ts", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -359,7 +359,7 @@ "signature": [ "{ saveCreateFields: (() => void) | undefined; updateCreateFields: ((fields: Partial<{ integrationName: string; datasets: { name: string; type: \"metrics\" | \"logs\"; }[]; }>) => void) | undefined; }" ], - "path": "packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/hooks/use_consumer_custom_integrations.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -377,7 +377,7 @@ "> | undefined; } & ", "WithSelectedMode" ], - "path": "packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts", + "path": "x-pack/solutions/observability/packages/kbn-custom-integrations/src/state_machines/custom_integrations/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_custom_integrations.mdx b/api_docs/kbn_custom_integrations.mdx index 13568879f33d2..92f10e1b56d66 100644 --- a/api_docs/kbn_custom_integrations.mdx +++ b/api_docs/kbn_custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-integrations title: "@kbn/custom-integrations" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-integrations plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-integrations'] --- import kbnCustomIntegrationsObj from './kbn_custom_integrations.devdocs.json'; diff --git a/api_docs/kbn_cypress_config.mdx b/api_docs/kbn_cypress_config.mdx index dcb404004cd8d..aa93990f68bc5 100644 --- a/api_docs/kbn_cypress_config.mdx +++ b/api_docs/kbn_cypress_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cypress-config title: "@kbn/cypress-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cypress-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cypress-config'] --- import kbnCypressConfigObj from './kbn_cypress_config.devdocs.json'; diff --git a/api_docs/kbn_data_forge.mdx b/api_docs/kbn_data_forge.mdx index a65df0037a220..46223f4f3855f 100644 --- a/api_docs/kbn_data_forge.mdx +++ b/api_docs/kbn_data_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-forge title: "@kbn/data-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-forge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-forge'] --- import kbnDataForgeObj from './kbn_data_forge.devdocs.json'; diff --git a/api_docs/kbn_data_service.mdx b/api_docs/kbn_data_service.mdx index 8cbca6ea6d38a..5581425d7d084 100644 --- a/api_docs/kbn_data_service.mdx +++ b/api_docs/kbn_data_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-service title: "@kbn/data-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-service plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-service'] --- import kbnDataServiceObj from './kbn_data_service.devdocs.json'; diff --git a/api_docs/kbn_data_stream_adapter.mdx b/api_docs/kbn_data_stream_adapter.mdx index c7573b7246682..e9971778c447a 100644 --- a/api_docs/kbn_data_stream_adapter.mdx +++ b/api_docs/kbn_data_stream_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-stream-adapter title: "@kbn/data-stream-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-stream-adapter plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-stream-adapter'] --- import kbnDataStreamAdapterObj from './kbn_data_stream_adapter.devdocs.json'; diff --git a/api_docs/kbn_data_view_utils.mdx b/api_docs/kbn_data_view_utils.mdx index 9f0156483c8a9..f23d11489dcf6 100644 --- a/api_docs/kbn_data_view_utils.mdx +++ b/api_docs/kbn_data_view_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-view-utils title: "@kbn/data-view-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-view-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-view-utils'] --- import kbnDataViewUtilsObj from './kbn_data_view_utils.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index 236758431fb7d..67face0ae802a 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_analytics.mdx b/api_docs/kbn_deeplinks_analytics.mdx index 1bd747d9aade3..e9883ea7580c1 100644 --- a/api_docs/kbn_deeplinks_analytics.mdx +++ b/api_docs/kbn_deeplinks_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-analytics title: "@kbn/deeplinks-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-analytics plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-analytics'] --- import kbnDeeplinksAnalyticsObj from './kbn_deeplinks_analytics.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_devtools.mdx b/api_docs/kbn_deeplinks_devtools.mdx index b68dfd1398e3a..1e5d5158be523 100644 --- a/api_docs/kbn_deeplinks_devtools.mdx +++ b/api_docs/kbn_deeplinks_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-devtools title: "@kbn/deeplinks-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-devtools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-devtools'] --- import kbnDeeplinksDevtoolsObj from './kbn_deeplinks_devtools.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_fleet.mdx b/api_docs/kbn_deeplinks_fleet.mdx index 1502546fa2b12..7053f2bc3f147 100644 --- a/api_docs/kbn_deeplinks_fleet.mdx +++ b/api_docs/kbn_deeplinks_fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-fleet title: "@kbn/deeplinks-fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-fleet plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-fleet'] --- import kbnDeeplinksFleetObj from './kbn_deeplinks_fleet.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_management.mdx b/api_docs/kbn_deeplinks_management.mdx index 8f250b8af10fa..2b6da3b4f18e2 100644 --- a/api_docs/kbn_deeplinks_management.mdx +++ b/api_docs/kbn_deeplinks_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-management title: "@kbn/deeplinks-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-management plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-management'] --- import kbnDeeplinksManagementObj from './kbn_deeplinks_management.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_ml.mdx b/api_docs/kbn_deeplinks_ml.mdx index 5705ef2e076c3..ed85b4ce2a2cc 100644 --- a/api_docs/kbn_deeplinks_ml.mdx +++ b/api_docs/kbn_deeplinks_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-ml title: "@kbn/deeplinks-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-ml plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-ml'] --- import kbnDeeplinksMlObj from './kbn_deeplinks_ml.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_observability.mdx b/api_docs/kbn_deeplinks_observability.mdx index bae04e1ed3b02..4bd8e6ddc0d3a 100644 --- a/api_docs/kbn_deeplinks_observability.mdx +++ b/api_docs/kbn_deeplinks_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-observability title: "@kbn/deeplinks-observability" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-observability plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-observability'] --- import kbnDeeplinksObservabilityObj from './kbn_deeplinks_observability.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_search.mdx b/api_docs/kbn_deeplinks_search.mdx index 377aa45d4c14e..2ec7007374724 100644 --- a/api_docs/kbn_deeplinks_search.mdx +++ b/api_docs/kbn_deeplinks_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-search title: "@kbn/deeplinks-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-search plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-search'] --- import kbnDeeplinksSearchObj from './kbn_deeplinks_search.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_security.mdx b/api_docs/kbn_deeplinks_security.mdx index 1e023a22a3374..3913a113475e9 100644 --- a/api_docs/kbn_deeplinks_security.mdx +++ b/api_docs/kbn_deeplinks_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-security title: "@kbn/deeplinks-security" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-security plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-security'] --- import kbnDeeplinksSecurityObj from './kbn_deeplinks_security.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_shared.mdx b/api_docs/kbn_deeplinks_shared.mdx index 5bab323429abc..49f54ab8c95f6 100644 --- a/api_docs/kbn_deeplinks_shared.mdx +++ b/api_docs/kbn_deeplinks_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-shared title: "@kbn/deeplinks-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-shared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-shared'] --- import kbnDeeplinksSharedObj from './kbn_deeplinks_shared.devdocs.json'; diff --git a/api_docs/kbn_default_nav_analytics.mdx b/api_docs/kbn_default_nav_analytics.mdx index 24d4c82100632..db0195a601921 100644 --- a/api_docs/kbn_default_nav_analytics.mdx +++ b/api_docs/kbn_default_nav_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-analytics title: "@kbn/default-nav-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-analytics plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-analytics'] --- import kbnDefaultNavAnalyticsObj from './kbn_default_nav_analytics.devdocs.json'; diff --git a/api_docs/kbn_default_nav_devtools.mdx b/api_docs/kbn_default_nav_devtools.mdx index 5cab9a17fe594..62020f84624d7 100644 --- a/api_docs/kbn_default_nav_devtools.mdx +++ b/api_docs/kbn_default_nav_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-devtools title: "@kbn/default-nav-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-devtools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-devtools'] --- import kbnDefaultNavDevtoolsObj from './kbn_default_nav_devtools.devdocs.json'; diff --git a/api_docs/kbn_default_nav_management.mdx b/api_docs/kbn_default_nav_management.mdx index 22b7b535e9dfd..caac944ff4307 100644 --- a/api_docs/kbn_default_nav_management.mdx +++ b/api_docs/kbn_default_nav_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-management title: "@kbn/default-nav-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-management plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-management'] --- import kbnDefaultNavManagementObj from './kbn_default_nav_management.devdocs.json'; diff --git a/api_docs/kbn_default_nav_ml.mdx b/api_docs/kbn_default_nav_ml.mdx index 5ce963253ddd0..3bef7693a35de 100644 --- a/api_docs/kbn_default_nav_ml.mdx +++ b/api_docs/kbn_default_nav_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-ml title: "@kbn/default-nav-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-ml plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-ml'] --- import kbnDefaultNavMlObj from './kbn_default_nav_ml.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 6afcd30846e13..67db14beb9286 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 7d4cca6613e9a..7cccd5cebc016 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index 297ea93b06d39..02079cddf2c7f 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index 1d56c21ec0a78..4b5aa39708a4e 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_discover_contextual_components.devdocs.json b/api_docs/kbn_discover_contextual_components.devdocs.json index cd6c2ab526e25..ea2e28e6d29a8 100644 --- a/api_docs/kbn_discover_contextual_components.devdocs.json +++ b/api_docs/kbn_discover_contextual_components.devdocs.json @@ -13,7 +13,7 @@ "signature": [ "({ columnId, dataView, fieldFormats, isCompressed, isSingleLine, row, shouldShowFieldHandler, }: ContentProps) => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -27,7 +27,7 @@ "signature": [ "ContentProps" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/content.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -78,7 +78,7 @@ }, "[]" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -98,7 +98,7 @@ "text": "DataTableRecord" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -119,7 +119,7 @@ "text": "CoreStart" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -141,7 +141,7 @@ }, " | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -178,7 +178,7 @@ "SearchNestedIdentity", " | undefined; _ignored?: string[] | undefined; ignored_field_values?: Record | undefined; _shard?: string | undefined; _node?: string | undefined; _routing?: string | undefined; _rank?: number | undefined; _seq_no?: number | undefined; _primary_term?: number | undefined; _version?: number | undefined; }; id: string; isAnchor?: boolean | undefined; }" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -198,7 +198,7 @@ "text": "DataTableRecord" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -225,7 +225,7 @@ }, ") => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -239,7 +239,7 @@ "signature": [ "string" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -263,7 +263,7 @@ ") => ", "ResourceFields" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -277,7 +277,7 @@ "signature": [ "LogDocument" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -330,7 +330,7 @@ }, " & React.RefAttributes<{}>>" ], - "path": "packages/kbn-discover-contextual-components/src/index.ts", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -362,7 +362,7 @@ "signature": [ "({ fields, limited, onFilter, ...props }: ResourceProps) => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -376,7 +376,7 @@ "signature": [ "ResourceProps" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/resource.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -397,7 +397,7 @@ "FieldBadgeWithActionsPropsAndDependencies", ") => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -411,7 +411,7 @@ "signature": [ "FieldBadgeWithActionsPropsAndDependencies" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/service_name_badge_with_actions.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -438,7 +438,7 @@ }, ") => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -458,7 +458,7 @@ "text": "AllSummaryColumnProps" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -476,7 +476,7 @@ "tags": [], "label": "ResourceFieldDescriptor", "description": [], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -494,7 +494,7 @@ "FieldBadgeWithActionsProps", ">" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false }, @@ -508,7 +508,7 @@ "signature": [ "(() => JSX.Element) | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false, "children": [], @@ -525,7 +525,7 @@ "keyof ", "ResourceFields" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false }, @@ -536,7 +536,7 @@ "tags": [], "label": "value", "description": [], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/utils.tsx", "deprecated": false, "trackAdoption": false } @@ -550,7 +550,7 @@ "tags": [], "label": "SummaryColumnFactoryDeps", "description": [], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -571,7 +571,7 @@ }, " | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -585,7 +585,7 @@ "signature": [ "number | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -599,7 +599,7 @@ "signature": [ "(fieldName: string) => boolean" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -628,7 +628,7 @@ "DocViewFilterFn", " | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -648,7 +648,7 @@ "text": "CoreStart" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -669,7 +669,7 @@ }, " | undefined" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false } @@ -721,7 +721,7 @@ "text": "SummaryColumnFactoryDeps" } ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -744,7 +744,7 @@ }, ") => React.JSX.Element" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -784,7 +784,7 @@ }, "; closePopover: () => void; isCompressed?: boolean | undefined; }" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/log_level_badge_cell/log_level_badge_cell.tsx", "deprecated": false, "trackAdoption": false } @@ -826,7 +826,7 @@ }, "; closePopover: () => void; isCompressed?: boolean | undefined; }" ], - "path": "packages/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", + "path": "src/platform/packages/shared/kbn-discover-contextual-components/src/data_types/logs/components/summary_column/summary_column.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_discover_contextual_components.mdx b/api_docs/kbn_discover_contextual_components.mdx index 355cb21c9eab4..647e06078bf36 100644 --- a/api_docs/kbn_discover_contextual_components.mdx +++ b/api_docs/kbn_discover_contextual_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-contextual-components title: "@kbn/discover-contextual-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-contextual-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-contextual-components'] --- import kbnDiscoverContextualComponentsObj from './kbn_discover_contextual_components.devdocs.json'; diff --git a/api_docs/kbn_discover_utils.devdocs.json b/api_docs/kbn_discover_utils.devdocs.json index c674ad6ee7279..30529c7df0fd9 100644 --- a/api_docs/kbn_discover_utils.devdocs.json +++ b/api_docs/kbn_discover_utils.devdocs.json @@ -2439,7 +2439,7 @@ "section": "def-common.AppMenuControlOnClickParams", "text": "AppMenuControlOnClickParams" }, - ") => void | React.ReactNode) | undefined; } & { iconType: \"string\" | \"number\" | \"function\" | \"key\" | \"namespace\" | \"error\" | \"filter\" | \"search\" | \"link\" | \"at\" | \"nested\" | \"ip\" | \"push\" | \"list\" | \"cluster\" | \"eql\" | \"index\" | \"unlink\" | \"alert\" | \"color\" | \"grid\" | \"aggregate\" | \"warning\" | \"annotation\" | \"memory\" | \"stats\" | \"mobile\" | \"article\" | \"menu\" | \"image\" | \"stop\" | \"download\" | \"document\" | \"email\" | \"copy\" | \"move\" | \"merge\" | \"partial\" | \"container\" | \"user\" | \"pause\" | \"share\" | \"home\" | \"spaces\" | \"package\" | \"tag\" | \"beta\" | \"users\" | \"brush\" | \"percent\" | \"temperature\" | \"accessibility\" | \"addDataApp\" | \"advancedSettingsApp\" | \"agentApp\" | \"analyzeEvent\" | \"anomalyChart\" | \"anomalySwimLane\" | \"apmApp\" | \"apmTrace\" | \"appSearchApp\" | \"apps\" | \"arrowDown\" | \"arrowLeft\" | \"arrowRight\" | \"arrowUp\" | \"arrowStart\" | \"arrowEnd\" | \"asterisk\" | \"auditbeatApp\" | \"beaker\" | \"bell\" | \"bellSlash\" | \"bolt\" | \"boxesHorizontal\" | \"boxesVertical\" | \"branch\" | \"branchUser\" | \"broom\" | \"bug\" | \"bullseye\" | \"calendar\" | \"canvasApp\" | \"casesApp\" | \"changePointDetection\" | \"check\" | \"checkInCircleFilled\" | \"cheer\" | \"classificationJob\" | \"clickLeft\" | \"clickRight\" | \"clock\" | \"clockCounter\" | \"cloudDrizzle\" | \"cloudStormy\" | \"cloudSunny\" | \"codeApp\" | \"compute\" | \"console\" | \"consoleApp\" | \"continuityAbove\" | \"continuityAboveBelow\" | \"continuityBelow\" | \"continuityWithin\" | \"controlsHorizontal\" | \"controlsVertical\" | \"copyClipboard\" | \"createAdvancedJob\" | \"createMultiMetricJob\" | \"createPopulationJob\" | \"createSingleMetricJob\" | \"cross\" | \"crossClusterReplicationApp\" | \"crossInCircle\" | \"crosshairs\" | \"currency\" | \"cut\" | \"dashboardApp\" | \"dataVisualizer\" | \"database\" | \"desktop\" | \"devToolsApp\" | \"diff\" | \"discoverApp\" | \"discuss\" | \"documentEdit\" | \"documentation\" | \"documents\" | \"dot\" | \"dotInCircle\" | \"doubleArrowLeft\" | \"doubleArrowRight\" | \"editorAlignCenter\" | \"editorAlignLeft\" | \"editorAlignRight\" | \"editorBold\" | \"editorChecklist\" | \"editorCodeBlock\" | \"editorComment\" | \"editorDistributeHorizontal\" | \"editorDistributeVertical\" | \"editorHeading\" | \"editorItalic\" | \"editorItemAlignBottom\" | \"editorItemAlignCenter\" | \"editorItemAlignLeft\" | \"editorItemAlignMiddle\" | \"editorItemAlignRight\" | \"editorItemAlignTop\" | \"editorLink\" | \"editorOrderedList\" | \"editorPositionBottomLeft\" | \"editorPositionBottomRight\" | \"editorPositionTopLeft\" | \"editorPositionTopRight\" | \"editorRedo\" | \"editorStrike\" | \"editorTable\" | \"editorUnderline\" | \"editorUndo\" | \"editorUnorderedList\" | \"empty\" | \"emsApp\" | \"endpoint\" | \"eraser\" | \"errorFilled\" | \"esqlVis\" | \"exit\" | \"expand\" | \"expandMini\" | \"exportAction\" | \"eye\" | \"eyeClosed\" | \"faceHappy\" | \"faceNeutral\" | \"faceSad\" | \"fieldStatistics\" | \"filebeatApp\" | \"filterExclude\" | \"filterIgnore\" | \"filterInclude\" | \"filterInCircle\" | \"flag\" | \"fleetApp\" | \"fold\" | \"folderCheck\" | \"folderClosed\" | \"folderExclamation\" | \"folderOpen\" | \"frameNext\" | \"framePrevious\" | \"fullScreen\" | \"fullScreenExit\" | \"gear\" | \"gisApp\" | \"glasses\" | \"globe\" | \"grab\" | \"grabHorizontal\" | \"grabOmnidirectional\" | \"gradient\" | \"graphApp\" | \"grokApp\" | \"heart\" | \"heartbeatApp\" | \"heatmap\" | \"help\" | \"iInCircle\" | \"importAction\" | \"indexClose\" | \"indexEdit\" | \"indexFlush\" | \"indexManagementApp\" | \"indexMapping\" | \"indexOpen\" | \"indexPatternApp\" | \"indexRollupApp\" | \"indexRuntime\" | \"indexSettings\" | \"indexTemporary\" | \"infinity\" | \"inputOutput\" | \"inspect\" | \"invert\" | \"keyboard\" | \"kqlField\" | \"kqlFunction\" | \"kqlOperand\" | \"kqlSelector\" | \"kqlValue\" | \"kubernetesNode\" | \"kubernetesPod\" | \"launch\" | \"layers\" | \"lensApp\" | \"lettering\" | \"lineDashed\" | \"lineDotted\" | \"lineSolid\" | \"listAdd\" | \"lock\" | \"lockOpen\" | \"logPatternAnalysis\" | \"logRateAnalysis\" | \"logoAWS\" | \"logoAWSMono\" | \"logoAerospike\" | \"logoApache\" | \"logoAppSearch\" | \"logoAzure\" | \"logoAzureMono\" | \"logoBeats\" | \"logoBusinessAnalytics\" | \"logoCeph\" | \"logoCloud\" | \"logoCloudEnterprise\" | \"logoCode\" | \"logoCodesandbox\" | \"logoCouchbase\" | \"logoDocker\" | \"logoDropwizard\" | \"logoElastic\" | \"logoElasticStack\" | \"logoElasticsearch\" | \"logoEnterpriseSearch\" | \"logoEtcd\" | \"logoGCP\" | \"logoGCPMono\" | \"logoGithub\" | \"logoGmail\" | \"logoGolang\" | \"logoGoogleG\" | \"logoHAproxy\" | \"logoIBM\" | \"logoIBMMono\" | \"logoKafka\" | \"logoKibana\" | \"logoKubernetes\" | \"logoLogging\" | \"logoLogstash\" | \"logoMaps\" | \"logoMemcached\" | \"logoMetrics\" | \"logoMongodb\" | \"logoMySQL\" | \"logoNginx\" | \"logoObservability\" | \"logoOsquery\" | \"logoPhp\" | \"logoPostgres\" | \"logoPrometheus\" | \"logoRabbitmq\" | \"logoRedis\" | \"logoSecurity\" | \"logoSiteSearch\" | \"logoSketch\" | \"logoSlack\" | \"logoUptime\" | \"logoVulnerabilityManagement\" | \"logoWebhook\" | \"logoWindows\" | \"logoWorkplaceSearch\" | \"logsApp\" | \"logstashFilter\" | \"logstashIf\" | \"logstashInput\" | \"logstashOutput\" | \"logstashQueue\" | \"machineLearningApp\" | \"magnet\" | \"magnifyWithExclamation\" | \"magnifyWithMinus\" | \"magnifyWithPlus\" | \"managementApp\" | \"mapMarker\" | \"menuDown\" | \"menuLeft\" | \"menuRight\" | \"menuUp\" | \"metricbeatApp\" | \"metricsApp\" | \"minimize\" | \"minus\" | \"minusInCircle\" | \"minusInCircleFilled\" | \"minusInSquare\" | \"monitoringApp\" | \"moon\" | \"newChat\" | \"node\" | \"notebookApp\" | \"offline\" | \"online\" | \"outlierDetectionJob\" | \"packetbeatApp\" | \"pageSelect\" | \"pagesSelect\" | \"palette\" | \"paperClip\" | \"payment\" | \"pencil\" | \"pin\" | \"pinFilled\" | \"pipeBreaks\" | \"pipelineApp\" | \"pipeNoBreaks\" | \"pivot\" | \"play\" | \"playFilled\" | \"plus\" | \"plusInCircle\" | \"plusInCircleFilled\" | \"plusInSquare\" | \"popout\" | \"questionInCircle\" | \"quote\" | \"recentlyViewedApp\" | \"refresh\" | \"regressionJob\" | \"reporter\" | \"reportingApp\" | \"returnKey\" | \"save\" | \"savedObjectsApp\" | \"scale\" | \"searchProfilerApp\" | \"securityAnalyticsApp\" | \"securityApp\" | \"securitySignal\" | \"securitySignalDetected\" | \"securitySignalResolved\" | \"sessionViewer\" | \"shard\" | \"singleMetricViewer\" | \"snowflake\" | \"sortAscending\" | \"sortDescending\" | \"sortDown\" | \"sortLeft\" | \"sortRight\" | \"sortUp\" | \"sortable\" | \"spacesApp\" | \"sparkles\" | \"sqlApp\" | \"starEmpty\" | \"starEmptySpace\" | \"starFilled\" | \"starFilledSpace\" | \"starMinusEmpty\" | \"starMinusFilled\" | \"starPlusEmpty\" | \"starPlusFilled\" | \"stopFilled\" | \"stopSlash\" | \"storage\" | \"submodule\" | \"sun\" | \"swatchInput\" | \"symlink\" | \"tableDensityCompact\" | \"tableDensityExpanded\" | \"tableDensityNormal\" | \"tableOfContents\" | \"tear\" | \"timeline\" | \"timelineWithArrow\" | \"timelionApp\" | \"timeRefresh\" | \"timeslider\" | \"training\" | \"transitionLeftIn\" | \"transitionLeftOut\" | \"transitionTopIn\" | \"transitionTopOut\" | \"trash\" | \"unfold\" | \"upgradeAssistantApp\" | \"uptimeApp\" | \"userAvatar\" | \"usersRolesApp\" | \"vector\" | \"videoPlayer\" | \"visArea\" | \"visAreaStacked\" | \"visBarHorizontal\" | \"visBarHorizontalStacked\" | \"visBarVertical\" | \"visBarVerticalStacked\" | \"visGauge\" | \"visGoal\" | \"visLine\" | \"visMapCoordinate\" | \"visMapRegion\" | \"visMetric\" | \"visPie\" | \"visTable\" | \"visTagCloud\" | \"visText\" | \"visTimelion\" | \"visVega\" | \"visVisualBuilder\" | \"visualizeApp\" | \"vulnerabilityManagementApp\" | \"warningFilled\" | \"watchesApp\" | \"wordWrap\" | \"wordWrapDisabled\" | \"workplaceSearchApp\" | \"wrench\" | \"tokenAlias\" | \"tokenAnnotation\" | \"tokenArray\" | \"tokenBinary\" | \"tokenBoolean\" | \"tokenClass\" | \"tokenCompletionSuggester\" | \"tokenConstant\" | \"tokenDate\" | \"tokenDimension\" | \"tokenElement\" | \"tokenEnum\" | \"tokenEnumMember\" | \"tokenEvent\" | \"tokenException\" | \"tokenField\" | \"tokenFile\" | \"tokenFlattened\" | \"tokenFunction\" | \"tokenGeo\" | \"tokenHistogram\" | \"tokenInterface\" | \"tokenIP\" | \"tokenJoin\" | \"tokenKey\" | \"tokenKeyword\" | \"tokenMethod\" | \"tokenMetricCounter\" | \"tokenMetricGauge\" | \"tokenModule\" | \"tokenNamespace\" | \"tokenNested\" | \"tokenNull\" | \"tokenNumber\" | \"tokenObject\" | \"tokenOperator\" | \"tokenPackage\" | \"tokenParameter\" | \"tokenPercolator\" | \"tokenProperty\" | \"tokenRange\" | \"tokenRankFeature\" | \"tokenRankFeatures\" | \"tokenRepo\" | \"tokenSearchType\" | \"tokenSemanticText\" | \"tokenShape\" | \"tokenString\" | \"tokenStruct\" | \"tokenSymbol\" | \"tokenTag\" | \"tokenText\" | \"tokenTokenCount\" | \"tokenVariable\" | \"tokenVectorDense\" | \"tokenDenseVector\" | \"tokenVectorSparse\"; }" + ") => void | React.ReactNode) | undefined; } & { iconType: \"string\" | \"number\" | \"function\" | \"key\" | \"namespace\" | \"error\" | \"filter\" | \"search\" | \"link\" | \"at\" | \"nested\" | \"ip\" | \"push\" | \"list\" | \"cluster\" | \"eql\" | \"index\" | \"unlink\" | \"alert\" | \"color\" | \"grid\" | \"aggregate\" | \"warning\" | \"annotation\" | \"memory\" | \"stats\" | \"mobile\" | \"article\" | \"menu\" | \"image\" | \"stop\" | \"download\" | \"document\" | \"email\" | \"copy\" | \"move\" | \"merge\" | \"partial\" | \"container\" | \"user\" | \"pause\" | \"share\" | \"home\" | \"spaces\" | \"package\" | \"tag\" | \"beta\" | \"users\" | \"brush\" | \"percent\" | \"temperature\" | \"accessibility\" | \"addDataApp\" | \"advancedSettingsApp\" | \"agentApp\" | \"analyzeEvent\" | \"anomalyChart\" | \"anomalySwimLane\" | \"apmApp\" | \"apmTrace\" | \"appSearchApp\" | \"apps\" | \"arrowDown\" | \"arrowLeft\" | \"arrowRight\" | \"arrowUp\" | \"arrowStart\" | \"arrowEnd\" | \"asterisk\" | \"auditbeatApp\" | \"beaker\" | \"bell\" | \"bellSlash\" | \"bolt\" | \"boxesHorizontal\" | \"boxesVertical\" | \"branch\" | \"branchUser\" | \"broom\" | \"bug\" | \"bullseye\" | \"calendar\" | \"canvasApp\" | \"casesApp\" | \"changePointDetection\" | \"check\" | \"checkInCircleFilled\" | \"cheer\" | \"classificationJob\" | \"clickLeft\" | \"clickRight\" | \"clock\" | \"clockCounter\" | \"cloudDrizzle\" | \"cloudStormy\" | \"cloudSunny\" | \"codeApp\" | \"compute\" | \"console\" | \"consoleApp\" | \"continuityAbove\" | \"continuityAboveBelow\" | \"continuityBelow\" | \"continuityWithin\" | \"contrast\" | \"contrastHigh\" | \"controlsHorizontal\" | \"controlsVertical\" | \"copyClipboard\" | \"createAdvancedJob\" | \"createMultiMetricJob\" | \"createPopulationJob\" | \"createSingleMetricJob\" | \"cross\" | \"crossClusterReplicationApp\" | \"crossInCircle\" | \"crosshairs\" | \"currency\" | \"cut\" | \"dashboardApp\" | \"dataVisualizer\" | \"database\" | \"desktop\" | \"devToolsApp\" | \"diff\" | \"discoverApp\" | \"discuss\" | \"documentEdit\" | \"documentation\" | \"documents\" | \"dot\" | \"dotInCircle\" | \"doubleArrowLeft\" | \"doubleArrowRight\" | \"editorAlignCenter\" | \"editorAlignLeft\" | \"editorAlignRight\" | \"editorBold\" | \"editorChecklist\" | \"editorCodeBlock\" | \"editorComment\" | \"editorDistributeHorizontal\" | \"editorDistributeVertical\" | \"editorHeading\" | \"editorItalic\" | \"editorItemAlignBottom\" | \"editorItemAlignCenter\" | \"editorItemAlignLeft\" | \"editorItemAlignMiddle\" | \"editorItemAlignRight\" | \"editorItemAlignTop\" | \"editorLink\" | \"editorOrderedList\" | \"editorPositionBottomLeft\" | \"editorPositionBottomRight\" | \"editorPositionTopLeft\" | \"editorPositionTopRight\" | \"editorRedo\" | \"editorStrike\" | \"editorTable\" | \"editorUnderline\" | \"editorUndo\" | \"editorUnorderedList\" | \"empty\" | \"emsApp\" | \"endpoint\" | \"eraser\" | \"errorFilled\" | \"esqlVis\" | \"exit\" | \"expand\" | \"expandMini\" | \"exportAction\" | \"eye\" | \"eyeClosed\" | \"faceHappy\" | \"faceNeutral\" | \"faceSad\" | \"fieldStatistics\" | \"filebeatApp\" | \"filterExclude\" | \"filterIgnore\" | \"filterInclude\" | \"filterInCircle\" | \"flag\" | \"fleetApp\" | \"fold\" | \"folderCheck\" | \"folderClosed\" | \"folderExclamation\" | \"folderOpen\" | \"frameNext\" | \"framePrevious\" | \"fullScreen\" | \"fullScreenExit\" | \"gear\" | \"gisApp\" | \"glasses\" | \"globe\" | \"grab\" | \"grabHorizontal\" | \"grabOmnidirectional\" | \"gradient\" | \"graphApp\" | \"grokApp\" | \"heart\" | \"heartbeatApp\" | \"heatmap\" | \"help\" | \"iInCircle\" | \"importAction\" | \"indexClose\" | \"indexEdit\" | \"indexFlush\" | \"indexManagementApp\" | \"indexMapping\" | \"indexOpen\" | \"indexPatternApp\" | \"indexRollupApp\" | \"indexRuntime\" | \"indexSettings\" | \"indexTemporary\" | \"infinity\" | \"inputOutput\" | \"inspect\" | \"invert\" | \"keyboard\" | \"kqlField\" | \"kqlFunction\" | \"kqlOperand\" | \"kqlSelector\" | \"kqlValue\" | \"kubernetesNode\" | \"kubernetesPod\" | \"launch\" | \"layers\" | \"lensApp\" | \"lettering\" | \"lineDashed\" | \"lineDotted\" | \"lineSolid\" | \"listAdd\" | \"lock\" | \"lockOpen\" | \"logPatternAnalysis\" | \"logRateAnalysis\" | \"logoAWS\" | \"logoAWSMono\" | \"logoAerospike\" | \"logoApache\" | \"logoAppSearch\" | \"logoAzure\" | \"logoAzureMono\" | \"logoBeats\" | \"logoBusinessAnalytics\" | \"logoCeph\" | \"logoCloud\" | \"logoCloudEnterprise\" | \"logoCode\" | \"logoCodesandbox\" | \"logoCouchbase\" | \"logoDocker\" | \"logoDropwizard\" | \"logoElastic\" | \"logoElasticStack\" | \"logoElasticsearch\" | \"logoEnterpriseSearch\" | \"logoEtcd\" | \"logoGCP\" | \"logoGCPMono\" | \"logoGithub\" | \"logoGmail\" | \"logoGolang\" | \"logoGoogleG\" | \"logoHAproxy\" | \"logoIBM\" | \"logoIBMMono\" | \"logoKafka\" | \"logoKibana\" | \"logoKubernetes\" | \"logoLogging\" | \"logoLogstash\" | \"logoMaps\" | \"logoMemcached\" | \"logoMetrics\" | \"logoMongodb\" | \"logoMySQL\" | \"logoNginx\" | \"logoObservability\" | \"logoOsquery\" | \"logoPhp\" | \"logoPostgres\" | \"logoPrometheus\" | \"logoRabbitmq\" | \"logoRedis\" | \"logoSecurity\" | \"logoSiteSearch\" | \"logoSketch\" | \"logoSlack\" | \"logoUptime\" | \"logoVulnerabilityManagement\" | \"logoWebhook\" | \"logoWindows\" | \"logoWorkplaceSearch\" | \"logsApp\" | \"logstashFilter\" | \"logstashIf\" | \"logstashInput\" | \"logstashOutput\" | \"logstashQueue\" | \"machineLearningApp\" | \"magnet\" | \"magnifyWithExclamation\" | \"magnifyWithMinus\" | \"magnifyWithPlus\" | \"managementApp\" | \"mapMarker\" | \"menuDown\" | \"menuLeft\" | \"menuRight\" | \"menuUp\" | \"metricbeatApp\" | \"metricsApp\" | \"minimize\" | \"minus\" | \"minusInCircle\" | \"minusInCircleFilled\" | \"minusInSquare\" | \"monitoringApp\" | \"moon\" | \"newChat\" | \"node\" | \"notebookApp\" | \"offline\" | \"online\" | \"outlierDetectionJob\" | \"packetbeatApp\" | \"pageSelect\" | \"pagesSelect\" | \"palette\" | \"paperClip\" | \"payment\" | \"pencil\" | \"pin\" | \"pinFilled\" | \"pipeBreaks\" | \"pipelineApp\" | \"pipeNoBreaks\" | \"pivot\" | \"play\" | \"playFilled\" | \"plus\" | \"plusInCircle\" | \"plusInCircleFilled\" | \"plusInSquare\" | \"popout\" | \"questionInCircle\" | \"quote\" | \"recentlyViewedApp\" | \"refresh\" | \"regressionJob\" | \"reporter\" | \"reportingApp\" | \"returnKey\" | \"save\" | \"savedObjectsApp\" | \"scale\" | \"searchProfilerApp\" | \"securityAnalyticsApp\" | \"securityApp\" | \"securitySignal\" | \"securitySignalDetected\" | \"securitySignalResolved\" | \"sessionViewer\" | \"shard\" | \"singleMetricViewer\" | \"snowflake\" | \"sortAscending\" | \"sortDescending\" | \"sortDown\" | \"sortLeft\" | \"sortRight\" | \"sortUp\" | \"sortable\" | \"spacesApp\" | \"sparkles\" | \"sqlApp\" | \"starEmpty\" | \"starEmptySpace\" | \"starFilled\" | \"starFilledSpace\" | \"starMinusEmpty\" | \"starMinusFilled\" | \"starPlusEmpty\" | \"starPlusFilled\" | \"stopFilled\" | \"stopSlash\" | \"storage\" | \"submodule\" | \"sun\" | \"swatchInput\" | \"symlink\" | \"tableDensityCompact\" | \"tableDensityExpanded\" | \"tableDensityNormal\" | \"tableOfContents\" | \"tear\" | \"timeline\" | \"timelineWithArrow\" | \"timelionApp\" | \"timeRefresh\" | \"timeslider\" | \"training\" | \"transitionLeftIn\" | \"transitionLeftOut\" | \"transitionTopIn\" | \"transitionTopOut\" | \"trash\" | \"unfold\" | \"upgradeAssistantApp\" | \"uptimeApp\" | \"userAvatar\" | \"usersRolesApp\" | \"vector\" | \"videoPlayer\" | \"visArea\" | \"visAreaStacked\" | \"visBarHorizontal\" | \"visBarHorizontalStacked\" | \"visBarVertical\" | \"visBarVerticalStacked\" | \"visGauge\" | \"visGoal\" | \"visLine\" | \"visMapCoordinate\" | \"visMapRegion\" | \"visMetric\" | \"visPie\" | \"visTable\" | \"visTagCloud\" | \"visText\" | \"visTimelion\" | \"visVega\" | \"visVisualBuilder\" | \"visualizeApp\" | \"vulnerabilityManagementApp\" | \"warningFilled\" | \"watchesApp\" | \"wordWrap\" | \"wordWrapDisabled\" | \"workplaceSearchApp\" | \"wrench\" | \"tokenAlias\" | \"tokenAnnotation\" | \"tokenArray\" | \"tokenBinary\" | \"tokenBoolean\" | \"tokenClass\" | \"tokenCompletionSuggester\" | \"tokenConstant\" | \"tokenDate\" | \"tokenDimension\" | \"tokenElement\" | \"tokenEnum\" | \"tokenEnumMember\" | \"tokenEvent\" | \"tokenException\" | \"tokenField\" | \"tokenFile\" | \"tokenFlattened\" | \"tokenFunction\" | \"tokenGeo\" | \"tokenHistogram\" | \"tokenInterface\" | \"tokenIP\" | \"tokenJoin\" | \"tokenKey\" | \"tokenKeyword\" | \"tokenMethod\" | \"tokenMetricCounter\" | \"tokenMetricGauge\" | \"tokenModule\" | \"tokenNamespace\" | \"tokenNested\" | \"tokenNull\" | \"tokenNumber\" | \"tokenObject\" | \"tokenOperator\" | \"tokenPackage\" | \"tokenParameter\" | \"tokenPercolator\" | \"tokenProperty\" | \"tokenRange\" | \"tokenRankFeature\" | \"tokenRankFeatures\" | \"tokenRepo\" | \"tokenSearchType\" | \"tokenSemanticText\" | \"tokenShape\" | \"tokenString\" | \"tokenStruct\" | \"tokenSymbol\" | \"tokenTag\" | \"tokenText\" | \"tokenTokenCount\" | \"tokenVariable\" | \"tokenVectorDense\" | \"tokenDenseVector\" | \"tokenVectorSparse\"; }" ], "path": "packages/kbn-discover-utils/src/components/app_menu/types.ts", "deprecated": false, @@ -4146,7 +4146,7 @@ "section": "def-common.AppMenuControlOnClickParams", "text": "AppMenuControlOnClickParams" }, - ") => void | React.ReactNode) | undefined; } & { iconType: \"string\" | \"number\" | \"function\" | \"key\" | \"namespace\" | \"error\" | \"filter\" | \"search\" | \"link\" | \"at\" | \"nested\" | \"ip\" | \"push\" | \"list\" | \"cluster\" | \"eql\" | \"index\" | \"unlink\" | \"alert\" | \"color\" | \"grid\" | \"aggregate\" | \"warning\" | \"annotation\" | \"memory\" | \"stats\" | \"mobile\" | \"article\" | \"menu\" | \"image\" | \"stop\" | \"download\" | \"document\" | \"email\" | \"copy\" | \"move\" | \"merge\" | \"partial\" | \"container\" | \"user\" | \"pause\" | \"share\" | \"home\" | \"spaces\" | \"package\" | \"tag\" | \"beta\" | \"users\" | \"brush\" | \"percent\" | \"temperature\" | \"accessibility\" | \"addDataApp\" | \"advancedSettingsApp\" | \"agentApp\" | \"analyzeEvent\" | \"anomalyChart\" | \"anomalySwimLane\" | \"apmApp\" | \"apmTrace\" | \"appSearchApp\" | \"apps\" | \"arrowDown\" | \"arrowLeft\" | \"arrowRight\" | \"arrowUp\" | \"arrowStart\" | \"arrowEnd\" | \"asterisk\" | \"auditbeatApp\" | \"beaker\" | \"bell\" | \"bellSlash\" | \"bolt\" | \"boxesHorizontal\" | \"boxesVertical\" | \"branch\" | \"branchUser\" | \"broom\" | \"bug\" | \"bullseye\" | \"calendar\" | \"canvasApp\" | \"casesApp\" | \"changePointDetection\" | \"check\" | \"checkInCircleFilled\" | \"cheer\" | \"classificationJob\" | \"clickLeft\" | \"clickRight\" | \"clock\" | \"clockCounter\" | \"cloudDrizzle\" | \"cloudStormy\" | \"cloudSunny\" | \"codeApp\" | \"compute\" | \"console\" | \"consoleApp\" | \"continuityAbove\" | \"continuityAboveBelow\" | \"continuityBelow\" | \"continuityWithin\" | \"controlsHorizontal\" | \"controlsVertical\" | \"copyClipboard\" | \"createAdvancedJob\" | \"createMultiMetricJob\" | \"createPopulationJob\" | \"createSingleMetricJob\" | \"cross\" | \"crossClusterReplicationApp\" | \"crossInCircle\" | \"crosshairs\" | \"currency\" | \"cut\" | \"dashboardApp\" | \"dataVisualizer\" | \"database\" | \"desktop\" | \"devToolsApp\" | \"diff\" | \"discoverApp\" | \"discuss\" | \"documentEdit\" | \"documentation\" | \"documents\" | \"dot\" | \"dotInCircle\" | \"doubleArrowLeft\" | \"doubleArrowRight\" | \"editorAlignCenter\" | \"editorAlignLeft\" | \"editorAlignRight\" | \"editorBold\" | \"editorChecklist\" | \"editorCodeBlock\" | \"editorComment\" | \"editorDistributeHorizontal\" | \"editorDistributeVertical\" | \"editorHeading\" | \"editorItalic\" | \"editorItemAlignBottom\" | \"editorItemAlignCenter\" | \"editorItemAlignLeft\" | \"editorItemAlignMiddle\" | \"editorItemAlignRight\" | \"editorItemAlignTop\" | \"editorLink\" | \"editorOrderedList\" | \"editorPositionBottomLeft\" | \"editorPositionBottomRight\" | \"editorPositionTopLeft\" | \"editorPositionTopRight\" | \"editorRedo\" | \"editorStrike\" | \"editorTable\" | \"editorUnderline\" | \"editorUndo\" | \"editorUnorderedList\" | \"empty\" | \"emsApp\" | \"endpoint\" | \"eraser\" | \"errorFilled\" | \"esqlVis\" | \"exit\" | \"expand\" | \"expandMini\" | \"exportAction\" | \"eye\" | \"eyeClosed\" | \"faceHappy\" | \"faceNeutral\" | \"faceSad\" | \"fieldStatistics\" | \"filebeatApp\" | \"filterExclude\" | \"filterIgnore\" | \"filterInclude\" | \"filterInCircle\" | \"flag\" | \"fleetApp\" | \"fold\" | \"folderCheck\" | \"folderClosed\" | \"folderExclamation\" | \"folderOpen\" | \"frameNext\" | \"framePrevious\" | \"fullScreen\" | \"fullScreenExit\" | \"gear\" | \"gisApp\" | \"glasses\" | \"globe\" | \"grab\" | \"grabHorizontal\" | \"grabOmnidirectional\" | \"gradient\" | \"graphApp\" | \"grokApp\" | \"heart\" | \"heartbeatApp\" | \"heatmap\" | \"help\" | \"iInCircle\" | \"importAction\" | \"indexClose\" | \"indexEdit\" | \"indexFlush\" | \"indexManagementApp\" | \"indexMapping\" | \"indexOpen\" | \"indexPatternApp\" | \"indexRollupApp\" | \"indexRuntime\" | \"indexSettings\" | \"indexTemporary\" | \"infinity\" | \"inputOutput\" | \"inspect\" | \"invert\" | \"keyboard\" | \"kqlField\" | \"kqlFunction\" | \"kqlOperand\" | \"kqlSelector\" | \"kqlValue\" | \"kubernetesNode\" | \"kubernetesPod\" | \"launch\" | \"layers\" | \"lensApp\" | \"lettering\" | \"lineDashed\" | \"lineDotted\" | \"lineSolid\" | \"listAdd\" | \"lock\" | \"lockOpen\" | \"logPatternAnalysis\" | \"logRateAnalysis\" | \"logoAWS\" | \"logoAWSMono\" | \"logoAerospike\" | \"logoApache\" | \"logoAppSearch\" | \"logoAzure\" | \"logoAzureMono\" | \"logoBeats\" | \"logoBusinessAnalytics\" | \"logoCeph\" | \"logoCloud\" | \"logoCloudEnterprise\" | \"logoCode\" | \"logoCodesandbox\" | \"logoCouchbase\" | \"logoDocker\" | \"logoDropwizard\" | \"logoElastic\" | \"logoElasticStack\" | \"logoElasticsearch\" | \"logoEnterpriseSearch\" | \"logoEtcd\" | \"logoGCP\" | \"logoGCPMono\" | \"logoGithub\" | \"logoGmail\" | \"logoGolang\" | \"logoGoogleG\" | \"logoHAproxy\" | \"logoIBM\" | \"logoIBMMono\" | \"logoKafka\" | \"logoKibana\" | \"logoKubernetes\" | \"logoLogging\" | \"logoLogstash\" | \"logoMaps\" | \"logoMemcached\" | \"logoMetrics\" | \"logoMongodb\" | \"logoMySQL\" | \"logoNginx\" | \"logoObservability\" | \"logoOsquery\" | \"logoPhp\" | \"logoPostgres\" | \"logoPrometheus\" | \"logoRabbitmq\" | \"logoRedis\" | \"logoSecurity\" | \"logoSiteSearch\" | \"logoSketch\" | \"logoSlack\" | \"logoUptime\" | \"logoVulnerabilityManagement\" | \"logoWebhook\" | \"logoWindows\" | \"logoWorkplaceSearch\" | \"logsApp\" | \"logstashFilter\" | \"logstashIf\" | \"logstashInput\" | \"logstashOutput\" | \"logstashQueue\" | \"machineLearningApp\" | \"magnet\" | \"magnifyWithExclamation\" | \"magnifyWithMinus\" | \"magnifyWithPlus\" | \"managementApp\" | \"mapMarker\" | \"menuDown\" | \"menuLeft\" | \"menuRight\" | \"menuUp\" | \"metricbeatApp\" | \"metricsApp\" | \"minimize\" | \"minus\" | \"minusInCircle\" | \"minusInCircleFilled\" | \"minusInSquare\" | \"monitoringApp\" | \"moon\" | \"newChat\" | \"node\" | \"notebookApp\" | \"offline\" | \"online\" | \"outlierDetectionJob\" | \"packetbeatApp\" | \"pageSelect\" | \"pagesSelect\" | \"palette\" | \"paperClip\" | \"payment\" | \"pencil\" | \"pin\" | \"pinFilled\" | \"pipeBreaks\" | \"pipelineApp\" | \"pipeNoBreaks\" | \"pivot\" | \"play\" | \"playFilled\" | \"plus\" | \"plusInCircle\" | \"plusInCircleFilled\" | \"plusInSquare\" | \"popout\" | \"questionInCircle\" | \"quote\" | \"recentlyViewedApp\" | \"refresh\" | \"regressionJob\" | \"reporter\" | \"reportingApp\" | \"returnKey\" | \"save\" | \"savedObjectsApp\" | \"scale\" | \"searchProfilerApp\" | \"securityAnalyticsApp\" | \"securityApp\" | \"securitySignal\" | \"securitySignalDetected\" | \"securitySignalResolved\" | \"sessionViewer\" | \"shard\" | \"singleMetricViewer\" | \"snowflake\" | \"sortAscending\" | \"sortDescending\" | \"sortDown\" | \"sortLeft\" | \"sortRight\" | \"sortUp\" | \"sortable\" | \"spacesApp\" | \"sparkles\" | \"sqlApp\" | \"starEmpty\" | \"starEmptySpace\" | \"starFilled\" | \"starFilledSpace\" | \"starMinusEmpty\" | \"starMinusFilled\" | \"starPlusEmpty\" | \"starPlusFilled\" | \"stopFilled\" | \"stopSlash\" | \"storage\" | \"submodule\" | \"sun\" | \"swatchInput\" | \"symlink\" | \"tableDensityCompact\" | \"tableDensityExpanded\" | \"tableDensityNormal\" | \"tableOfContents\" | \"tear\" | \"timeline\" | \"timelineWithArrow\" | \"timelionApp\" | \"timeRefresh\" | \"timeslider\" | \"training\" | \"transitionLeftIn\" | \"transitionLeftOut\" | \"transitionTopIn\" | \"transitionTopOut\" | \"trash\" | \"unfold\" | \"upgradeAssistantApp\" | \"uptimeApp\" | \"userAvatar\" | \"usersRolesApp\" | \"vector\" | \"videoPlayer\" | \"visArea\" | \"visAreaStacked\" | \"visBarHorizontal\" | \"visBarHorizontalStacked\" | \"visBarVertical\" | \"visBarVerticalStacked\" | \"visGauge\" | \"visGoal\" | \"visLine\" | \"visMapCoordinate\" | \"visMapRegion\" | \"visMetric\" | \"visPie\" | \"visTable\" | \"visTagCloud\" | \"visText\" | \"visTimelion\" | \"visVega\" | \"visVisualBuilder\" | \"visualizeApp\" | \"vulnerabilityManagementApp\" | \"warningFilled\" | \"watchesApp\" | \"wordWrap\" | \"wordWrapDisabled\" | \"workplaceSearchApp\" | \"wrench\" | \"tokenAlias\" | \"tokenAnnotation\" | \"tokenArray\" | \"tokenBinary\" | \"tokenBoolean\" | \"tokenClass\" | \"tokenCompletionSuggester\" | \"tokenConstant\" | \"tokenDate\" | \"tokenDimension\" | \"tokenElement\" | \"tokenEnum\" | \"tokenEnumMember\" | \"tokenEvent\" | \"tokenException\" | \"tokenField\" | \"tokenFile\" | \"tokenFlattened\" | \"tokenFunction\" | \"tokenGeo\" | \"tokenHistogram\" | \"tokenInterface\" | \"tokenIP\" | \"tokenJoin\" | \"tokenKey\" | \"tokenKeyword\" | \"tokenMethod\" | \"tokenMetricCounter\" | \"tokenMetricGauge\" | \"tokenModule\" | \"tokenNamespace\" | \"tokenNested\" | \"tokenNull\" | \"tokenNumber\" | \"tokenObject\" | \"tokenOperator\" | \"tokenPackage\" | \"tokenParameter\" | \"tokenPercolator\" | \"tokenProperty\" | \"tokenRange\" | \"tokenRankFeature\" | \"tokenRankFeatures\" | \"tokenRepo\" | \"tokenSearchType\" | \"tokenSemanticText\" | \"tokenShape\" | \"tokenString\" | \"tokenStruct\" | \"tokenSymbol\" | \"tokenTag\" | \"tokenText\" | \"tokenTokenCount\" | \"tokenVariable\" | \"tokenVectorDense\" | \"tokenDenseVector\" | \"tokenVectorSparse\"; }" + ") => void | React.ReactNode) | undefined; } & { iconType: \"string\" | \"number\" | \"function\" | \"key\" | \"namespace\" | \"error\" | \"filter\" | \"search\" | \"link\" | \"at\" | \"nested\" | \"ip\" | \"push\" | \"list\" | \"cluster\" | \"eql\" | \"index\" | \"unlink\" | \"alert\" | \"color\" | \"grid\" | \"aggregate\" | \"warning\" | \"annotation\" | \"memory\" | \"stats\" | \"mobile\" | \"article\" | \"menu\" | \"image\" | \"stop\" | \"download\" | \"document\" | \"email\" | \"copy\" | \"move\" | \"merge\" | \"partial\" | \"container\" | \"user\" | \"pause\" | \"share\" | \"home\" | \"spaces\" | \"package\" | \"tag\" | \"beta\" | \"users\" | \"brush\" | \"percent\" | \"temperature\" | \"accessibility\" | \"addDataApp\" | \"advancedSettingsApp\" | \"agentApp\" | \"analyzeEvent\" | \"anomalyChart\" | \"anomalySwimLane\" | \"apmApp\" | \"apmTrace\" | \"appSearchApp\" | \"apps\" | \"arrowDown\" | \"arrowLeft\" | \"arrowRight\" | \"arrowUp\" | \"arrowStart\" | \"arrowEnd\" | \"asterisk\" | \"auditbeatApp\" | \"beaker\" | \"bell\" | \"bellSlash\" | \"bolt\" | \"boxesHorizontal\" | \"boxesVertical\" | \"branch\" | \"branchUser\" | \"broom\" | \"bug\" | \"bullseye\" | \"calendar\" | \"canvasApp\" | \"casesApp\" | \"changePointDetection\" | \"check\" | \"checkInCircleFilled\" | \"cheer\" | \"classificationJob\" | \"clickLeft\" | \"clickRight\" | \"clock\" | \"clockCounter\" | \"cloudDrizzle\" | \"cloudStormy\" | \"cloudSunny\" | \"codeApp\" | \"compute\" | \"console\" | \"consoleApp\" | \"continuityAbove\" | \"continuityAboveBelow\" | \"continuityBelow\" | \"continuityWithin\" | \"contrast\" | \"contrastHigh\" | \"controlsHorizontal\" | \"controlsVertical\" | \"copyClipboard\" | \"createAdvancedJob\" | \"createMultiMetricJob\" | \"createPopulationJob\" | \"createSingleMetricJob\" | \"cross\" | \"crossClusterReplicationApp\" | \"crossInCircle\" | \"crosshairs\" | \"currency\" | \"cut\" | \"dashboardApp\" | \"dataVisualizer\" | \"database\" | \"desktop\" | \"devToolsApp\" | \"diff\" | \"discoverApp\" | \"discuss\" | \"documentEdit\" | \"documentation\" | \"documents\" | \"dot\" | \"dotInCircle\" | \"doubleArrowLeft\" | \"doubleArrowRight\" | \"editorAlignCenter\" | \"editorAlignLeft\" | \"editorAlignRight\" | \"editorBold\" | \"editorChecklist\" | \"editorCodeBlock\" | \"editorComment\" | \"editorDistributeHorizontal\" | \"editorDistributeVertical\" | \"editorHeading\" | \"editorItalic\" | \"editorItemAlignBottom\" | \"editorItemAlignCenter\" | \"editorItemAlignLeft\" | \"editorItemAlignMiddle\" | \"editorItemAlignRight\" | \"editorItemAlignTop\" | \"editorLink\" | \"editorOrderedList\" | \"editorPositionBottomLeft\" | \"editorPositionBottomRight\" | \"editorPositionTopLeft\" | \"editorPositionTopRight\" | \"editorRedo\" | \"editorStrike\" | \"editorTable\" | \"editorUnderline\" | \"editorUndo\" | \"editorUnorderedList\" | \"empty\" | \"emsApp\" | \"endpoint\" | \"eraser\" | \"errorFilled\" | \"esqlVis\" | \"exit\" | \"expand\" | \"expandMini\" | \"exportAction\" | \"eye\" | \"eyeClosed\" | \"faceHappy\" | \"faceNeutral\" | \"faceSad\" | \"fieldStatistics\" | \"filebeatApp\" | \"filterExclude\" | \"filterIgnore\" | \"filterInclude\" | \"filterInCircle\" | \"flag\" | \"fleetApp\" | \"fold\" | \"folderCheck\" | \"folderClosed\" | \"folderExclamation\" | \"folderOpen\" | \"frameNext\" | \"framePrevious\" | \"fullScreen\" | \"fullScreenExit\" | \"gear\" | \"gisApp\" | \"glasses\" | \"globe\" | \"grab\" | \"grabHorizontal\" | \"grabOmnidirectional\" | \"gradient\" | \"graphApp\" | \"grokApp\" | \"heart\" | \"heartbeatApp\" | \"heatmap\" | \"help\" | \"iInCircle\" | \"importAction\" | \"indexClose\" | \"indexEdit\" | \"indexFlush\" | \"indexManagementApp\" | \"indexMapping\" | \"indexOpen\" | \"indexPatternApp\" | \"indexRollupApp\" | \"indexRuntime\" | \"indexSettings\" | \"indexTemporary\" | \"infinity\" | \"inputOutput\" | \"inspect\" | \"invert\" | \"keyboard\" | \"kqlField\" | \"kqlFunction\" | \"kqlOperand\" | \"kqlSelector\" | \"kqlValue\" | \"kubernetesNode\" | \"kubernetesPod\" | \"launch\" | \"layers\" | \"lensApp\" | \"lettering\" | \"lineDashed\" | \"lineDotted\" | \"lineSolid\" | \"listAdd\" | \"lock\" | \"lockOpen\" | \"logPatternAnalysis\" | \"logRateAnalysis\" | \"logoAWS\" | \"logoAWSMono\" | \"logoAerospike\" | \"logoApache\" | \"logoAppSearch\" | \"logoAzure\" | \"logoAzureMono\" | \"logoBeats\" | \"logoBusinessAnalytics\" | \"logoCeph\" | \"logoCloud\" | \"logoCloudEnterprise\" | \"logoCode\" | \"logoCodesandbox\" | \"logoCouchbase\" | \"logoDocker\" | \"logoDropwizard\" | \"logoElastic\" | \"logoElasticStack\" | \"logoElasticsearch\" | \"logoEnterpriseSearch\" | \"logoEtcd\" | \"logoGCP\" | \"logoGCPMono\" | \"logoGithub\" | \"logoGmail\" | \"logoGolang\" | \"logoGoogleG\" | \"logoHAproxy\" | \"logoIBM\" | \"logoIBMMono\" | \"logoKafka\" | \"logoKibana\" | \"logoKubernetes\" | \"logoLogging\" | \"logoLogstash\" | \"logoMaps\" | \"logoMemcached\" | \"logoMetrics\" | \"logoMongodb\" | \"logoMySQL\" | \"logoNginx\" | \"logoObservability\" | \"logoOsquery\" | \"logoPhp\" | \"logoPostgres\" | \"logoPrometheus\" | \"logoRabbitmq\" | \"logoRedis\" | \"logoSecurity\" | \"logoSiteSearch\" | \"logoSketch\" | \"logoSlack\" | \"logoUptime\" | \"logoVulnerabilityManagement\" | \"logoWebhook\" | \"logoWindows\" | \"logoWorkplaceSearch\" | \"logsApp\" | \"logstashFilter\" | \"logstashIf\" | \"logstashInput\" | \"logstashOutput\" | \"logstashQueue\" | \"machineLearningApp\" | \"magnet\" | \"magnifyWithExclamation\" | \"magnifyWithMinus\" | \"magnifyWithPlus\" | \"managementApp\" | \"mapMarker\" | \"menuDown\" | \"menuLeft\" | \"menuRight\" | \"menuUp\" | \"metricbeatApp\" | \"metricsApp\" | \"minimize\" | \"minus\" | \"minusInCircle\" | \"minusInCircleFilled\" | \"minusInSquare\" | \"monitoringApp\" | \"moon\" | \"newChat\" | \"node\" | \"notebookApp\" | \"offline\" | \"online\" | \"outlierDetectionJob\" | \"packetbeatApp\" | \"pageSelect\" | \"pagesSelect\" | \"palette\" | \"paperClip\" | \"payment\" | \"pencil\" | \"pin\" | \"pinFilled\" | \"pipeBreaks\" | \"pipelineApp\" | \"pipeNoBreaks\" | \"pivot\" | \"play\" | \"playFilled\" | \"plus\" | \"plusInCircle\" | \"plusInCircleFilled\" | \"plusInSquare\" | \"popout\" | \"questionInCircle\" | \"quote\" | \"recentlyViewedApp\" | \"refresh\" | \"regressionJob\" | \"reporter\" | \"reportingApp\" | \"returnKey\" | \"save\" | \"savedObjectsApp\" | \"scale\" | \"searchProfilerApp\" | \"securityAnalyticsApp\" | \"securityApp\" | \"securitySignal\" | \"securitySignalDetected\" | \"securitySignalResolved\" | \"sessionViewer\" | \"shard\" | \"singleMetricViewer\" | \"snowflake\" | \"sortAscending\" | \"sortDescending\" | \"sortDown\" | \"sortLeft\" | \"sortRight\" | \"sortUp\" | \"sortable\" | \"spacesApp\" | \"sparkles\" | \"sqlApp\" | \"starEmpty\" | \"starEmptySpace\" | \"starFilled\" | \"starFilledSpace\" | \"starMinusEmpty\" | \"starMinusFilled\" | \"starPlusEmpty\" | \"starPlusFilled\" | \"stopFilled\" | \"stopSlash\" | \"storage\" | \"submodule\" | \"sun\" | \"swatchInput\" | \"symlink\" | \"tableDensityCompact\" | \"tableDensityExpanded\" | \"tableDensityNormal\" | \"tableOfContents\" | \"tear\" | \"timeline\" | \"timelineWithArrow\" | \"timelionApp\" | \"timeRefresh\" | \"timeslider\" | \"training\" | \"transitionLeftIn\" | \"transitionLeftOut\" | \"transitionTopIn\" | \"transitionTopOut\" | \"trash\" | \"unfold\" | \"upgradeAssistantApp\" | \"uptimeApp\" | \"userAvatar\" | \"usersRolesApp\" | \"vector\" | \"videoPlayer\" | \"visArea\" | \"visAreaStacked\" | \"visBarHorizontal\" | \"visBarHorizontalStacked\" | \"visBarVertical\" | \"visBarVerticalStacked\" | \"visGauge\" | \"visGoal\" | \"visLine\" | \"visMapCoordinate\" | \"visMapRegion\" | \"visMetric\" | \"visPie\" | \"visTable\" | \"visTagCloud\" | \"visText\" | \"visTimelion\" | \"visVega\" | \"visVisualBuilder\" | \"visualizeApp\" | \"vulnerabilityManagementApp\" | \"warningFilled\" | \"watchesApp\" | \"wordWrap\" | \"wordWrapDisabled\" | \"workplaceSearchApp\" | \"wrench\" | \"tokenAlias\" | \"tokenAnnotation\" | \"tokenArray\" | \"tokenBinary\" | \"tokenBoolean\" | \"tokenClass\" | \"tokenCompletionSuggester\" | \"tokenConstant\" | \"tokenDate\" | \"tokenDimension\" | \"tokenElement\" | \"tokenEnum\" | \"tokenEnumMember\" | \"tokenEvent\" | \"tokenException\" | \"tokenField\" | \"tokenFile\" | \"tokenFlattened\" | \"tokenFunction\" | \"tokenGeo\" | \"tokenHistogram\" | \"tokenInterface\" | \"tokenIP\" | \"tokenJoin\" | \"tokenKey\" | \"tokenKeyword\" | \"tokenMethod\" | \"tokenMetricCounter\" | \"tokenMetricGauge\" | \"tokenModule\" | \"tokenNamespace\" | \"tokenNested\" | \"tokenNull\" | \"tokenNumber\" | \"tokenObject\" | \"tokenOperator\" | \"tokenPackage\" | \"tokenParameter\" | \"tokenPercolator\" | \"tokenProperty\" | \"tokenRange\" | \"tokenRankFeature\" | \"tokenRankFeatures\" | \"tokenRepo\" | \"tokenSearchType\" | \"tokenSemanticText\" | \"tokenShape\" | \"tokenString\" | \"tokenStruct\" | \"tokenSymbol\" | \"tokenTag\" | \"tokenText\" | \"tokenTokenCount\" | \"tokenVariable\" | \"tokenVectorDense\" | \"tokenDenseVector\" | \"tokenVectorSparse\"; }" ], "path": "packages/kbn-discover-utils/src/components/app_menu/types.ts", "deprecated": false, diff --git a/api_docs/kbn_discover_utils.mdx b/api_docs/kbn_discover_utils.mdx index cfadb51d5e726..61cdf5cebbf36 100644 --- a/api_docs/kbn_discover_utils.mdx +++ b/api_docs/kbn_discover_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-utils title: "@kbn/discover-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-utils'] --- import kbnDiscoverUtilsObj from './kbn_discover_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index 7d24e533d8c3c..d7f6dcd07cee4 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index e7218e24fdc70..bc7eab296d679 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_dom_drag_drop.mdx b/api_docs/kbn_dom_drag_drop.mdx index 0f46bb9dc971a..3fb8efba53deb 100644 --- a/api_docs/kbn_dom_drag_drop.mdx +++ b/api_docs/kbn_dom_drag_drop.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dom-drag-drop title: "@kbn/dom-drag-drop" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dom-drag-drop plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dom-drag-drop'] --- import kbnDomDragDropObj from './kbn_dom_drag_drop.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index 905f36a909a19..e9693f500d761 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_ecs_data_quality_dashboard.mdx b/api_docs/kbn_ecs_data_quality_dashboard.mdx index 5e8bb443bd1f0..bc01f3867f608 100644 --- a/api_docs/kbn_ecs_data_quality_dashboard.mdx +++ b/api_docs/kbn_ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ecs-data-quality-dashboard title: "@kbn/ecs-data-quality-dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ecs-data-quality-dashboard plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ecs-data-quality-dashboard'] --- import kbnEcsDataQualityDashboardObj from './kbn_ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/kbn_elastic_agent_utils.devdocs.json b/api_docs/kbn_elastic_agent_utils.devdocs.json index 2e56c5fad3c19..5c7b4dafa3183 100644 --- a/api_docs/kbn_elastic_agent_utils.devdocs.json +++ b/api_docs/kbn_elastic_agent_utils.devdocs.json @@ -29,7 +29,7 @@ "signature": [ "(agentName: string | null, telemetryAgentName: string | null, telemetrySdkName: string | null) => string | null" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -43,7 +43,7 @@ "signature": [ "string | null" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -58,7 +58,7 @@ "signature": [ "string | null" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -73,7 +73,7 @@ "signature": [ "string | null" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -92,7 +92,7 @@ "signature": [ "(agentName: string | undefined, language: string) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -106,7 +106,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -121,7 +121,7 @@ "signature": [ "string" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -140,7 +140,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -154,7 +154,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -173,7 +173,7 @@ "signature": [ "(serverlessType: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -187,7 +187,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -206,7 +206,7 @@ "signature": [ "(serverlessType: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -220,7 +220,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -239,7 +239,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -253,7 +253,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -272,7 +272,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -286,7 +286,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -305,7 +305,7 @@ "signature": [ "(agentName: string | undefined, runtimeName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -319,7 +319,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -334,7 +334,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -353,7 +353,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -367,7 +367,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -386,7 +386,7 @@ "signature": [ "(agentName: string) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -400,7 +400,7 @@ "signature": [ "string" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -419,7 +419,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -433,7 +433,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -452,7 +452,7 @@ "signature": [ "(agentName: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -466,7 +466,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -485,7 +485,7 @@ "signature": [ "(serverlessType: string | undefined) => boolean" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -499,7 +499,7 @@ "signature": [ "string | undefined" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_guards.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_guards.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -529,7 +529,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -544,7 +544,7 @@ "signature": [ "\"java\" | \"ruby\" | \"opentelemetry\" | \"dotnet\" | \"go\" | \"iOS/swift\" | \"js-base\" | \"nodejs\" | \"php\" | \"python\" | \"rum-js\" | \"android/java\" | \"otlp\" | `opentelemetry/${string}` | `otlp/${string}` | \"ios/swift\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -566,7 +566,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -583,7 +583,7 @@ "signature": [ "\"java\" | \"ruby\" | \"dotnet\" | \"go\" | \"iOS/swift\" | \"js-base\" | \"nodejs\" | \"php\" | \"python\" | \"rum-js\" | \"android/java\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -605,7 +605,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -620,7 +620,7 @@ "signature": [ "\"java\" | \"opentelemetry/java\" | \"otlp/java\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -642,7 +642,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -657,7 +657,7 @@ "signature": [ "\"opentelemetry\" | \"otlp\" | `opentelemetry/${string}` | `otlp/${string}`" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -679,7 +679,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -694,7 +694,7 @@ "signature": [ "\"js-base\" | \"rum-js\" | \"opentelemetry/webjs\" | \"otlp/webjs\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -716,7 +716,7 @@ }, "[]" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -731,7 +731,7 @@ "signature": [ "\"aws.lambda\" | \"azure.functions\"" ], - "path": "packages/kbn-elastic-agent-utils/src/agent_names.ts", + "path": "src/platform/packages/shared/kbn-elastic-agent-utils/src/agent_names.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_elastic_agent_utils.mdx b/api_docs/kbn_elastic_agent_utils.mdx index 9d62913fbf45a..f074da0c48ddb 100644 --- a/api_docs/kbn_elastic_agent_utils.mdx +++ b/api_docs/kbn_elastic_agent_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-agent-utils title: "@kbn/elastic-agent-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-agent-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-agent-utils'] --- import kbnElasticAgentUtilsObj from './kbn_elastic_agent_utils.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant.mdx b/api_docs/kbn_elastic_assistant.mdx index 14a69f76f95ee..7bfd8f06d16d5 100644 --- a/api_docs/kbn_elastic_assistant.mdx +++ b/api_docs/kbn_elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant title: "@kbn/elastic-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant'] --- import kbnElasticAssistantObj from './kbn_elastic_assistant.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant_common.mdx b/api_docs/kbn_elastic_assistant_common.mdx index a201b3e768f86..cd83622719ed4 100644 --- a/api_docs/kbn_elastic_assistant_common.mdx +++ b/api_docs/kbn_elastic_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant-common title: "@kbn/elastic-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant-common'] --- import kbnElasticAssistantCommonObj from './kbn_elastic_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_entities_schema.mdx b/api_docs/kbn_entities_schema.mdx index 868d366b52390..9721a2c571966 100644 --- a/api_docs/kbn_entities_schema.mdx +++ b/api_docs/kbn_entities_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-entities-schema title: "@kbn/entities-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/entities-schema plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/entities-schema'] --- import kbnEntitiesSchemaObj from './kbn_entities_schema.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index b04034f2dd697..b5ee31ad7c093 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index a857b02a8d66b..6b231f23384da 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 0073099b533f0..9ae11bd897630 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index e94656f66b8c7..218950e93e413 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index 356044391bace..def0a2eef5a45 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index f2b20c5e96b5e..3dac862400de6 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_esql_ast.mdx b/api_docs/kbn_esql_ast.mdx index 0aafde6252d2b..e8d02d0a961f4 100644 --- a/api_docs/kbn_esql_ast.mdx +++ b/api_docs/kbn_esql_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-ast title: "@kbn/esql-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-ast plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-ast'] --- import kbnEsqlAstObj from './kbn_esql_ast.devdocs.json'; diff --git a/api_docs/kbn_esql_editor.devdocs.json b/api_docs/kbn_esql_editor.devdocs.json index b464c8bd5f1eb..d031e4bd71727 100644 --- a/api_docs/kbn_esql_editor.devdocs.json +++ b/api_docs/kbn_esql_editor.devdocs.json @@ -565,6 +565,22 @@ "path": "src/platform/packages/private/kbn-esql-editor/src/types.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "@kbn/esql-editor", + "id": "def-public.ESQLEditorProps.disableAutoFocus", + "type": "CompoundType", + "tags": [], + "label": "disableAutoFocus", + "description": [ + "The component by default focuses on the editor when it is mounted, this flag disables it" + ], + "signature": [ + "boolean | undefined" + ], + "path": "src/platform/packages/private/kbn-esql-editor/src/types.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false diff --git a/api_docs/kbn_esql_editor.mdx b/api_docs/kbn_esql_editor.mdx index 4435054d1935c..844f0b3b1a791 100644 --- a/api_docs/kbn_esql_editor.mdx +++ b/api_docs/kbn_esql_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-editor title: "@kbn/esql-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-editor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-editor'] --- import kbnEsqlEditorObj from './kbn_esql_editor.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 29 | 0 | 12 | 0 | +| 30 | 0 | 12 | 0 | ## Client diff --git a/api_docs/kbn_esql_utils.devdocs.json b/api_docs/kbn_esql_utils.devdocs.json index d5c4a9977bce9..458e8e2a6a136 100644 --- a/api_docs/kbn_esql_utils.devdocs.json +++ b/api_docs/kbn_esql_utils.devdocs.json @@ -1723,6 +1723,39 @@ ], "returnComment": [], "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/esql-utils", + "id": "def-common.sanitazeESQLInput", + "type": "Function", + "tags": [], + "label": "sanitazeESQLInput", + "description": [], + "signature": [ + "(input: string) => string | undefined" + ], + "path": "src/platform/packages/shared/kbn-esql-utils/src/utils/sanitaze_input.ts", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/esql-utils", + "id": "def-common.sanitazeESQLInput.$1", + "type": "string", + "tags": [], + "label": "input", + "description": [], + "signature": [ + "string" + ], + "path": "src/platform/packages/shared/kbn-esql-utils/src/utils/sanitaze_input.ts", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false } ], "interfaces": [], diff --git a/api_docs/kbn_esql_utils.mdx b/api_docs/kbn_esql_utils.mdx index 7132af795b48d..d6b5f821cfa13 100644 --- a/api_docs/kbn_esql_utils.mdx +++ b/api_docs/kbn_esql_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-utils title: "@kbn/esql-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-utils'] --- import kbnEsqlUtilsObj from './kbn_esql_utils.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 83 | 0 | 74 | 0 | +| 85 | 0 | 76 | 0 | ## Common diff --git a/api_docs/kbn_esql_validation_autocomplete.mdx b/api_docs/kbn_esql_validation_autocomplete.mdx index ca53f08887678..58cce434e1b85 100644 --- a/api_docs/kbn_esql_validation_autocomplete.mdx +++ b/api_docs/kbn_esql_validation_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-validation-autocomplete title: "@kbn/esql-validation-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-validation-autocomplete plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-validation-autocomplete'] --- import kbnEsqlValidationAutocompleteObj from './kbn_esql_validation_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_common.mdx b/api_docs/kbn_event_annotation_common.mdx index 06448f7926d93..ec31c4badfda7 100644 --- a/api_docs/kbn_event_annotation_common.mdx +++ b/api_docs/kbn_event_annotation_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-common title: "@kbn/event-annotation-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-common'] --- import kbnEventAnnotationCommonObj from './kbn_event_annotation_common.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_components.mdx b/api_docs/kbn_event_annotation_components.mdx index 9f4ef37c3cf0b..e14246bd6ff09 100644 --- a/api_docs/kbn_event_annotation_components.mdx +++ b/api_docs/kbn_event_annotation_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-components title: "@kbn/event-annotation-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-components'] --- import kbnEventAnnotationComponentsObj from './kbn_event_annotation_components.devdocs.json'; diff --git a/api_docs/kbn_expandable_flyout.mdx b/api_docs/kbn_expandable_flyout.mdx index 2217faa9ad64d..2be3b000907a0 100644 --- a/api_docs/kbn_expandable_flyout.mdx +++ b/api_docs/kbn_expandable_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-expandable-flyout title: "@kbn/expandable-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/expandable-flyout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/expandable-flyout'] --- import kbnExpandableFlyoutObj from './kbn_expandable_flyout.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index 5dc6f0c4abd62..a2ebadfd13b20 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_field_utils.mdx b/api_docs/kbn_field_utils.mdx index c0e284587f96f..37db8783619b0 100644 --- a/api_docs/kbn_field_utils.mdx +++ b/api_docs/kbn_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-utils title: "@kbn/field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-utils'] --- import kbnFieldUtilsObj from './kbn_field_utils.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index 2e406fc78d5e0..c7c0f52a4d700 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_formatters.mdx b/api_docs/kbn_formatters.mdx index 78e621d241072..cee04bdb9cc4c 100644 --- a/api_docs/kbn_formatters.mdx +++ b/api_docs/kbn_formatters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-formatters title: "@kbn/formatters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/formatters plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/formatters'] --- import kbnFormattersObj from './kbn_formatters.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index 289f5d11612f2..f28ca8a24b0b5 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_ui_services.mdx b/api_docs/kbn_ftr_common_functional_ui_services.mdx index fc8a605c44274..f5958644e8aff 100644 --- a/api_docs/kbn_ftr_common_functional_ui_services.mdx +++ b/api_docs/kbn_ftr_common_functional_ui_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-ui-services title: "@kbn/ftr-common-functional-ui-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-ui-services plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-ui-services'] --- import kbnFtrCommonFunctionalUiServicesObj from './kbn_ftr_common_functional_ui_services.devdocs.json'; diff --git a/api_docs/kbn_gen_ai_functional_testing.mdx b/api_docs/kbn_gen_ai_functional_testing.mdx index fea606f73d29c..0ca69a389d222 100644 --- a/api_docs/kbn_gen_ai_functional_testing.mdx +++ b/api_docs/kbn_gen_ai_functional_testing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-gen-ai-functional-testing title: "@kbn/gen-ai-functional-testing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/gen-ai-functional-testing plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/gen-ai-functional-testing'] --- import kbnGenAiFunctionalTestingObj from './kbn_gen_ai_functional_testing.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 80441b226ec37..4bd8fd0f5f6df 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_generate_console_definitions.mdx b/api_docs/kbn_generate_console_definitions.mdx index 268e9bdd32e3f..6549341a7321a 100644 --- a/api_docs/kbn_generate_console_definitions.mdx +++ b/api_docs/kbn_generate_console_definitions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-console-definitions title: "@kbn/generate-console-definitions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-console-definitions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-console-definitions'] --- import kbnGenerateConsoleDefinitionsObj from './kbn_generate_console_definitions.devdocs.json'; diff --git a/api_docs/kbn_generate_csv.mdx b/api_docs/kbn_generate_csv.mdx index f7b788e07f655..abc886c857385 100644 --- a/api_docs/kbn_generate_csv.mdx +++ b/api_docs/kbn_generate_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-csv title: "@kbn/generate-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-csv plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-csv'] --- import kbnGenerateCsvObj from './kbn_generate_csv.devdocs.json'; diff --git a/api_docs/kbn_grid_layout.mdx b/api_docs/kbn_grid_layout.mdx index 925d6a3538421..3d3800197aef8 100644 --- a/api_docs/kbn_grid_layout.mdx +++ b/api_docs/kbn_grid_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grid-layout title: "@kbn/grid-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grid-layout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grid-layout'] --- import kbnGridLayoutObj from './kbn_grid_layout.devdocs.json'; diff --git a/api_docs/kbn_grouping.mdx b/api_docs/kbn_grouping.mdx index 9922b688f2fb2..22d60a6f1959e 100644 --- a/api_docs/kbn_grouping.mdx +++ b/api_docs/kbn_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grouping title: "@kbn/grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grouping plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grouping'] --- import kbnGroupingObj from './kbn_grouping.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index af9978c0088c3..d5117fee94b3b 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index 1849969e0b678..582938f517b8b 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index c9b59c910f3e8..5246e2519f37f 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index 1c61d9868c211..f05af139a308b 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index f7c0b163ef59e..e652b17f8fbe7 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index d3f4323566427..0c33c90d15d77 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 54abdcd021adb..30d94d432f16b 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index 2874c99b9c03a..267cb80eb722a 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index 18c6b0c3b96b8..cf2565b1ce18a 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_index_adapter.mdx b/api_docs/kbn_index_adapter.mdx index f0eae043b2470..f197e622dfbd6 100644 --- a/api_docs/kbn_index_adapter.mdx +++ b/api_docs/kbn_index_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-adapter title: "@kbn/index-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-adapter plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-adapter'] --- import kbnIndexAdapterObj from './kbn_index_adapter.devdocs.json'; diff --git a/api_docs/kbn_index_lifecycle_management_common_shared.mdx b/api_docs/kbn_index_lifecycle_management_common_shared.mdx index 4848f5cf5ac8d..966f5abd4440d 100644 --- a/api_docs/kbn_index_lifecycle_management_common_shared.mdx +++ b/api_docs/kbn_index_lifecycle_management_common_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-lifecycle-management-common-shared title: "@kbn/index-lifecycle-management-common-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-lifecycle-management-common-shared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-lifecycle-management-common-shared'] --- import kbnIndexLifecycleManagementCommonSharedObj from './kbn_index_lifecycle_management_common_shared.devdocs.json'; diff --git a/api_docs/kbn_index_management_shared_types.mdx b/api_docs/kbn_index_management_shared_types.mdx index e0eaaadb6214a..a11b5b763ef97 100644 --- a/api_docs/kbn_index_management_shared_types.mdx +++ b/api_docs/kbn_index_management_shared_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-management-shared-types title: "@kbn/index-management-shared-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-management-shared-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-management-shared-types'] --- import kbnIndexManagementSharedTypesObj from './kbn_index_management_shared_types.devdocs.json'; diff --git a/api_docs/kbn_inference_common.mdx b/api_docs/kbn_inference_common.mdx index 415671580c851..b2e0b284b1a87 100644 --- a/api_docs/kbn_inference_common.mdx +++ b/api_docs/kbn_inference_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference-common title: "@kbn/inference-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference-common'] --- import kbnInferenceCommonObj from './kbn_inference_common.devdocs.json'; diff --git a/api_docs/kbn_inference_integration_flyout.mdx b/api_docs/kbn_inference_integration_flyout.mdx index cc7c09680113c..1bc9b6be887be 100644 --- a/api_docs/kbn_inference_integration_flyout.mdx +++ b/api_docs/kbn_inference_integration_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference_integration_flyout title: "@kbn/inference_integration_flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference_integration_flyout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference_integration_flyout'] --- import kbnInferenceIntegrationFlyoutObj from './kbn_inference_integration_flyout.devdocs.json'; diff --git a/api_docs/kbn_infra_forge.mdx b/api_docs/kbn_infra_forge.mdx index c41ac56f8b533..69599f58ba3ce 100644 --- a/api_docs/kbn_infra_forge.mdx +++ b/api_docs/kbn_infra_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-infra-forge title: "@kbn/infra-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/infra-forge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/infra-forge'] --- import kbnInfraForgeObj from './kbn_infra_forge.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index df23d287cb261..833a8686a97ba 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_investigation_shared.mdx b/api_docs/kbn_investigation_shared.mdx index 07bc753f52bb1..254acae3d7880 100644 --- a/api_docs/kbn_investigation_shared.mdx +++ b/api_docs/kbn_investigation_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-investigation-shared title: "@kbn/investigation-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/investigation-shared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/investigation-shared'] --- import kbnInvestigationSharedObj from './kbn_investigation_shared.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index c5d7536b53254..5dc1ec954c4e2 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_ipynb.mdx b/api_docs/kbn_ipynb.mdx index 0e723e20aefb1..e1987378b30f9 100644 --- a/api_docs/kbn_ipynb.mdx +++ b/api_docs/kbn_ipynb.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ipynb title: "@kbn/ipynb" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ipynb plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ipynb'] --- import kbnIpynbObj from './kbn_ipynb.devdocs.json'; diff --git a/api_docs/kbn_item_buffer.mdx b/api_docs/kbn_item_buffer.mdx index 175b14142744e..7a8628281b0a2 100644 --- a/api_docs/kbn_item_buffer.mdx +++ b/api_docs/kbn_item_buffer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-item-buffer title: "@kbn/item-buffer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/item-buffer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/item-buffer'] --- import kbnItemBufferObj from './kbn_item_buffer.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index c2794e00f958e..e80ce50053b7d 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 86df14a67b2b2..633280373d26e 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_json_ast.mdx b/api_docs/kbn_json_ast.mdx index 29adae7299447..6b74b2b2975cf 100644 --- a/api_docs/kbn_json_ast.mdx +++ b/api_docs/kbn_json_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-ast title: "@kbn/json-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-ast plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-ast'] --- import kbnJsonAstObj from './kbn_json_ast.devdocs.json'; diff --git a/api_docs/kbn_json_schemas.mdx b/api_docs/kbn_json_schemas.mdx index c092f73b19e1b..2755d1649964e 100644 --- a/api_docs/kbn_json_schemas.mdx +++ b/api_docs/kbn_json_schemas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-schemas title: "@kbn/json-schemas" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-schemas plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-schemas'] --- import kbnJsonSchemasObj from './kbn_json_schemas.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index 284f4bfe912ea..b6d09be148ae5 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation.mdx b/api_docs/kbn_language_documentation.mdx index 4c1cff6d50cdf..1f1e3f3dda2e1 100644 --- a/api_docs/kbn_language_documentation.mdx +++ b/api_docs/kbn_language_documentation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation title: "@kbn/language-documentation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation'] --- import kbnLanguageDocumentationObj from './kbn_language_documentation.devdocs.json'; diff --git a/api_docs/kbn_lens_embeddable_utils.mdx b/api_docs/kbn_lens_embeddable_utils.mdx index e865aff17e8b5..2e898e1064b8c 100644 --- a/api_docs/kbn_lens_embeddable_utils.mdx +++ b/api_docs/kbn_lens_embeddable_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-embeddable-utils title: "@kbn/lens-embeddable-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-embeddable-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-embeddable-utils'] --- import kbnLensEmbeddableUtilsObj from './kbn_lens_embeddable_utils.devdocs.json'; diff --git a/api_docs/kbn_lens_formula_docs.mdx b/api_docs/kbn_lens_formula_docs.mdx index 651fb07a0a805..85c3c74bb9c8d 100644 --- a/api_docs/kbn_lens_formula_docs.mdx +++ b/api_docs/kbn_lens_formula_docs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-formula-docs title: "@kbn/lens-formula-docs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-formula-docs plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-formula-docs'] --- import kbnLensFormulaDocsObj from './kbn_lens_formula_docs.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index b9679471a0465..43a6b462c6b8d 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index dbe9cec417ddb..f966d4e2bbdca 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_content_badge.mdx b/api_docs/kbn_managed_content_badge.mdx index 359ca356bdaf4..0b9e7d5e948fa 100644 --- a/api_docs/kbn_managed_content_badge.mdx +++ b/api_docs/kbn_managed_content_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-content-badge title: "@kbn/managed-content-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-content-badge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-content-badge'] --- import kbnManagedContentBadgeObj from './kbn_managed_content_badge.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index c0e342070a2b6..efe5a1af1fa4c 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_management_cards_navigation.mdx b/api_docs/kbn_management_cards_navigation.mdx index 4e85a9c45590c..b48045c17c814 100644 --- a/api_docs/kbn_management_cards_navigation.mdx +++ b/api_docs/kbn_management_cards_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-cards-navigation title: "@kbn/management-cards-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-cards-navigation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-cards-navigation'] --- import kbnManagementCardsNavigationObj from './kbn_management_cards_navigation.devdocs.json'; diff --git a/api_docs/kbn_management_settings_application.mdx b/api_docs/kbn_management_settings_application.mdx index 9b2b330aa0d25..2de74c9df4d37 100644 --- a/api_docs/kbn_management_settings_application.mdx +++ b/api_docs/kbn_management_settings_application.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-application title: "@kbn/management-settings-application" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-application plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-application'] --- import kbnManagementSettingsApplicationObj from './kbn_management_settings_application.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_category.mdx b/api_docs/kbn_management_settings_components_field_category.mdx index 1f590380d4eb6..9d814920798d1 100644 --- a/api_docs/kbn_management_settings_components_field_category.mdx +++ b/api_docs/kbn_management_settings_components_field_category.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-category title: "@kbn/management-settings-components-field-category" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-category plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-category'] --- import kbnManagementSettingsComponentsFieldCategoryObj from './kbn_management_settings_components_field_category.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_input.mdx b/api_docs/kbn_management_settings_components_field_input.mdx index a09b48d3f5e24..b47a634791643 100644 --- a/api_docs/kbn_management_settings_components_field_input.mdx +++ b/api_docs/kbn_management_settings_components_field_input.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-input title: "@kbn/management-settings-components-field-input" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-input plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-input'] --- import kbnManagementSettingsComponentsFieldInputObj from './kbn_management_settings_components_field_input.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_row.mdx b/api_docs/kbn_management_settings_components_field_row.mdx index b1352550c85a3..c19c210dc013b 100644 --- a/api_docs/kbn_management_settings_components_field_row.mdx +++ b/api_docs/kbn_management_settings_components_field_row.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-row title: "@kbn/management-settings-components-field-row" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-row plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-row'] --- import kbnManagementSettingsComponentsFieldRowObj from './kbn_management_settings_components_field_row.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_form.mdx b/api_docs/kbn_management_settings_components_form.mdx index a0eda8f3c2b75..fe91f90cff10d 100644 --- a/api_docs/kbn_management_settings_components_form.mdx +++ b/api_docs/kbn_management_settings_components_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-form title: "@kbn/management-settings-components-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-form plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-form'] --- import kbnManagementSettingsComponentsFormObj from './kbn_management_settings_components_form.devdocs.json'; diff --git a/api_docs/kbn_management_settings_field_definition.mdx b/api_docs/kbn_management_settings_field_definition.mdx index 9340c74a999b4..ae5ac090d4bbf 100644 --- a/api_docs/kbn_management_settings_field_definition.mdx +++ b/api_docs/kbn_management_settings_field_definition.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-field-definition title: "@kbn/management-settings-field-definition" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-field-definition plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-field-definition'] --- import kbnManagementSettingsFieldDefinitionObj from './kbn_management_settings_field_definition.devdocs.json'; diff --git a/api_docs/kbn_management_settings_ids.devdocs.json b/api_docs/kbn_management_settings_ids.devdocs.json index a9745d04f0356..9c877724f217c 100644 --- a/api_docs/kbn_management_settings_ids.devdocs.json +++ b/api_docs/kbn_management_settings_ids.devdocs.json @@ -1327,21 +1327,6 @@ "trackAdoption": false, "initialIsOpen": false }, - { - "parentPluginId": "@kbn/management-settings-ids", - "id": "def-common.OBSERVABILITY_ENABLE_LOGS_STREAM", - "type": "string", - "tags": [], - "label": "OBSERVABILITY_ENABLE_LOGS_STREAM", - "description": [], - "signature": [ - "\"observability:enableLogsStream\"" - ], - "path": "packages/kbn-management/settings/setting_ids/index.ts", - "deprecated": false, - "trackAdoption": false, - "initialIsOpen": false - }, { "parentPluginId": "@kbn/management-settings-ids", "id": "def-common.OBSERVABILITY_ENTITY_CENTRIC_EXPERIENCE", diff --git a/api_docs/kbn_management_settings_ids.mdx b/api_docs/kbn_management_settings_ids.mdx index 7c3f327ccb619..e6b64454eb3fd 100644 --- a/api_docs/kbn_management_settings_ids.mdx +++ b/api_docs/kbn_management_settings_ids.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-ids title: "@kbn/management-settings-ids" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-ids plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-ids'] --- import kbnManagementSettingsIdsObj from './kbn_management_settings_ids.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sh | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 137 | 0 | 136 | 0 | +| 136 | 0 | 135 | 0 | ## Common diff --git a/api_docs/kbn_management_settings_section_registry.mdx b/api_docs/kbn_management_settings_section_registry.mdx index 5a4c0c84e6803..9e0bd166976cd 100644 --- a/api_docs/kbn_management_settings_section_registry.mdx +++ b/api_docs/kbn_management_settings_section_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-section-registry title: "@kbn/management-settings-section-registry" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-section-registry plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-section-registry'] --- import kbnManagementSettingsSectionRegistryObj from './kbn_management_settings_section_registry.devdocs.json'; diff --git a/api_docs/kbn_management_settings_types.mdx b/api_docs/kbn_management_settings_types.mdx index f2384dd9e2f87..f7d915284b858 100644 --- a/api_docs/kbn_management_settings_types.mdx +++ b/api_docs/kbn_management_settings_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-types title: "@kbn/management-settings-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-types'] --- import kbnManagementSettingsTypesObj from './kbn_management_settings_types.devdocs.json'; diff --git a/api_docs/kbn_management_settings_utilities.mdx b/api_docs/kbn_management_settings_utilities.mdx index e00a71497e297..856662d3ef913 100644 --- a/api_docs/kbn_management_settings_utilities.mdx +++ b/api_docs/kbn_management_settings_utilities.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-utilities title: "@kbn/management-settings-utilities" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-utilities plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-utilities'] --- import kbnManagementSettingsUtilitiesObj from './kbn_management_settings_utilities.devdocs.json'; diff --git a/api_docs/kbn_management_storybook_config.mdx b/api_docs/kbn_management_storybook_config.mdx index fbcacdc40c346..0eea210f4fe23 100644 --- a/api_docs/kbn_management_storybook_config.mdx +++ b/api_docs/kbn_management_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-storybook-config title: "@kbn/management-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-storybook-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-storybook-config'] --- import kbnManagementStorybookConfigObj from './kbn_management_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_manifest.mdx b/api_docs/kbn_manifest.mdx index 668bb56c52b9e..3cb161f1301b9 100644 --- a/api_docs/kbn_manifest.mdx +++ b/api_docs/kbn_manifest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-manifest title: "@kbn/manifest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/manifest plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/manifest'] --- import kbnManifestObj from './kbn_manifest.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 0d2d6cf0ef0fb..c0f28a8b7930f 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_maps_vector_tile_utils.mdx b/api_docs/kbn_maps_vector_tile_utils.mdx index cd64d5c0a8181..83e39ea22618f 100644 --- a/api_docs/kbn_maps_vector_tile_utils.mdx +++ b/api_docs/kbn_maps_vector_tile_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-maps-vector-tile-utils title: "@kbn/maps-vector-tile-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/maps-vector-tile-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/maps-vector-tile-utils'] --- import kbnMapsVectorTileUtilsObj from './kbn_maps_vector_tile_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 9a8e5cc6809b8..413cbb433c775 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_anomaly_utils.mdx b/api_docs/kbn_ml_anomaly_utils.mdx index 6a3eb87c1553b..19bc60e8161b0 100644 --- a/api_docs/kbn_ml_anomaly_utils.mdx +++ b/api_docs/kbn_ml_anomaly_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-anomaly-utils title: "@kbn/ml-anomaly-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-anomaly-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-anomaly-utils'] --- import kbnMlAnomalyUtilsObj from './kbn_ml_anomaly_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_cancellable_search.mdx b/api_docs/kbn_ml_cancellable_search.mdx index 9a9a160d5e362..34343d7542e60 100644 --- a/api_docs/kbn_ml_cancellable_search.mdx +++ b/api_docs/kbn_ml_cancellable_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-cancellable-search title: "@kbn/ml-cancellable-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-cancellable-search plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-cancellable-search'] --- import kbnMlCancellableSearchObj from './kbn_ml_cancellable_search.devdocs.json'; diff --git a/api_docs/kbn_ml_category_validator.mdx b/api_docs/kbn_ml_category_validator.mdx index cb8aa1cd9d7d4..cb0126d1ad2ae 100644 --- a/api_docs/kbn_ml_category_validator.mdx +++ b/api_docs/kbn_ml_category_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-category-validator title: "@kbn/ml-category-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-category-validator plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-category-validator'] --- import kbnMlCategoryValidatorObj from './kbn_ml_category_validator.devdocs.json'; diff --git a/api_docs/kbn_ml_chi2test.mdx b/api_docs/kbn_ml_chi2test.mdx index ea57430826ff6..ba577beee527f 100644 --- a/api_docs/kbn_ml_chi2test.mdx +++ b/api_docs/kbn_ml_chi2test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-chi2test title: "@kbn/ml-chi2test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-chi2test plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-chi2test'] --- import kbnMlChi2testObj from './kbn_ml_chi2test.devdocs.json'; diff --git a/api_docs/kbn_ml_data_frame_analytics_utils.mdx b/api_docs/kbn_ml_data_frame_analytics_utils.mdx index fea4aa272ef69..e41853c701244 100644 --- a/api_docs/kbn_ml_data_frame_analytics_utils.mdx +++ b/api_docs/kbn_ml_data_frame_analytics_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-frame-analytics-utils title: "@kbn/ml-data-frame-analytics-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-frame-analytics-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-frame-analytics-utils'] --- import kbnMlDataFrameAnalyticsUtilsObj from './kbn_ml_data_frame_analytics_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_data_grid.mdx b/api_docs/kbn_ml_data_grid.mdx index fd910f03eb242..df99b8dc2c6ea 100644 --- a/api_docs/kbn_ml_data_grid.mdx +++ b/api_docs/kbn_ml_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-grid title: "@kbn/ml-data-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-grid plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-grid'] --- import kbnMlDataGridObj from './kbn_ml_data_grid.devdocs.json'; diff --git a/api_docs/kbn_ml_date_picker.mdx b/api_docs/kbn_ml_date_picker.mdx index aaf9eceba696a..b2bb720d790be 100644 --- a/api_docs/kbn_ml_date_picker.mdx +++ b/api_docs/kbn_ml_date_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-picker title: "@kbn/ml-date-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-picker plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-picker'] --- import kbnMlDatePickerObj from './kbn_ml_date_picker.devdocs.json'; diff --git a/api_docs/kbn_ml_date_utils.mdx b/api_docs/kbn_ml_date_utils.mdx index c75b7b7132c0d..4b76c18341c3f 100644 --- a/api_docs/kbn_ml_date_utils.mdx +++ b/api_docs/kbn_ml_date_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-utils title: "@kbn/ml-date-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-utils'] --- import kbnMlDateUtilsObj from './kbn_ml_date_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_error_utils.mdx b/api_docs/kbn_ml_error_utils.mdx index 52f914ed5bf83..3b194d5f6e25a 100644 --- a/api_docs/kbn_ml_error_utils.mdx +++ b/api_docs/kbn_ml_error_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-error-utils title: "@kbn/ml-error-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-error-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-error-utils'] --- import kbnMlErrorUtilsObj from './kbn_ml_error_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_field_stats_flyout.mdx b/api_docs/kbn_ml_field_stats_flyout.mdx index 1a547d10a96cb..c896dc9539811 100644 --- a/api_docs/kbn_ml_field_stats_flyout.mdx +++ b/api_docs/kbn_ml_field_stats_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-field-stats-flyout title: "@kbn/ml-field-stats-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-field-stats-flyout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-field-stats-flyout'] --- import kbnMlFieldStatsFlyoutObj from './kbn_ml_field_stats_flyout.devdocs.json'; diff --git a/api_docs/kbn_ml_in_memory_table.mdx b/api_docs/kbn_ml_in_memory_table.mdx index f6235f21adff4..418fb93510ab4 100644 --- a/api_docs/kbn_ml_in_memory_table.mdx +++ b/api_docs/kbn_ml_in_memory_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-in-memory-table title: "@kbn/ml-in-memory-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-in-memory-table plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-in-memory-table'] --- import kbnMlInMemoryTableObj from './kbn_ml_in_memory_table.devdocs.json'; diff --git a/api_docs/kbn_ml_is_defined.mdx b/api_docs/kbn_ml_is_defined.mdx index f511cee37d612..cb67c56f070db 100644 --- a/api_docs/kbn_ml_is_defined.mdx +++ b/api_docs/kbn_ml_is_defined.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-defined title: "@kbn/ml-is-defined" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-defined plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-defined'] --- import kbnMlIsDefinedObj from './kbn_ml_is_defined.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index 959d5fada301f..74b8bae8d631c 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_kibana_theme.mdx b/api_docs/kbn_ml_kibana_theme.mdx index 16f53d6c15ffd..cd77d0a3fb45e 100644 --- a/api_docs/kbn_ml_kibana_theme.mdx +++ b/api_docs/kbn_ml_kibana_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-kibana-theme title: "@kbn/ml-kibana-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-kibana-theme plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-kibana-theme'] --- import kbnMlKibanaThemeObj from './kbn_ml_kibana_theme.devdocs.json'; diff --git a/api_docs/kbn_ml_local_storage.mdx b/api_docs/kbn_ml_local_storage.mdx index daebb1b1afac5..55d6b99fcf351 100644 --- a/api_docs/kbn_ml_local_storage.mdx +++ b/api_docs/kbn_ml_local_storage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-local-storage title: "@kbn/ml-local-storage" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-local-storage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-local-storage'] --- import kbnMlLocalStorageObj from './kbn_ml_local_storage.devdocs.json'; diff --git a/api_docs/kbn_ml_nested_property.mdx b/api_docs/kbn_ml_nested_property.mdx index 193780361ca70..c2f32e8b5dce0 100644 --- a/api_docs/kbn_ml_nested_property.mdx +++ b/api_docs/kbn_ml_nested_property.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-nested-property title: "@kbn/ml-nested-property" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-nested-property plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-nested-property'] --- import kbnMlNestedPropertyObj from './kbn_ml_nested_property.devdocs.json'; diff --git a/api_docs/kbn_ml_number_utils.mdx b/api_docs/kbn_ml_number_utils.mdx index 51bb6e31fea9e..4708d660cf28f 100644 --- a/api_docs/kbn_ml_number_utils.mdx +++ b/api_docs/kbn_ml_number_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-number-utils title: "@kbn/ml-number-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-number-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-number-utils'] --- import kbnMlNumberUtilsObj from './kbn_ml_number_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_parse_interval.mdx b/api_docs/kbn_ml_parse_interval.mdx index d4d47be97f261..3473fb8eb68bf 100644 --- a/api_docs/kbn_ml_parse_interval.mdx +++ b/api_docs/kbn_ml_parse_interval.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-parse-interval title: "@kbn/ml-parse-interval" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-parse-interval plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-parse-interval'] --- import kbnMlParseIntervalObj from './kbn_ml_parse_interval.devdocs.json'; diff --git a/api_docs/kbn_ml_query_utils.mdx b/api_docs/kbn_ml_query_utils.mdx index 25c567ec441f7..5ad5284323e6a 100644 --- a/api_docs/kbn_ml_query_utils.mdx +++ b/api_docs/kbn_ml_query_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-query-utils title: "@kbn/ml-query-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-query-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-query-utils'] --- import kbnMlQueryUtilsObj from './kbn_ml_query_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_random_sampler_utils.mdx b/api_docs/kbn_ml_random_sampler_utils.mdx index 024b2c48afbf8..7ce90a2c13b5e 100644 --- a/api_docs/kbn_ml_random_sampler_utils.mdx +++ b/api_docs/kbn_ml_random_sampler_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-random-sampler-utils title: "@kbn/ml-random-sampler-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-random-sampler-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-random-sampler-utils'] --- import kbnMlRandomSamplerUtilsObj from './kbn_ml_random_sampler_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_route_utils.mdx b/api_docs/kbn_ml_route_utils.mdx index 16f7e91473c8a..499556254e31b 100644 --- a/api_docs/kbn_ml_route_utils.mdx +++ b/api_docs/kbn_ml_route_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-route-utils title: "@kbn/ml-route-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-route-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-route-utils'] --- import kbnMlRouteUtilsObj from './kbn_ml_route_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_runtime_field_utils.mdx b/api_docs/kbn_ml_runtime_field_utils.mdx index 949a90ee41e6b..d8c48031a4b73 100644 --- a/api_docs/kbn_ml_runtime_field_utils.mdx +++ b/api_docs/kbn_ml_runtime_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-runtime-field-utils title: "@kbn/ml-runtime-field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-runtime-field-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-runtime-field-utils'] --- import kbnMlRuntimeFieldUtilsObj from './kbn_ml_runtime_field_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index deddf6ec8972d..d149815b3bea8 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_ml_time_buckets.mdx b/api_docs/kbn_ml_time_buckets.mdx index 6e7199513d252..b10d6bfa9fd62 100644 --- a/api_docs/kbn_ml_time_buckets.mdx +++ b/api_docs/kbn_ml_time_buckets.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-time-buckets title: "@kbn/ml-time-buckets" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-time-buckets plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-time-buckets'] --- import kbnMlTimeBucketsObj from './kbn_ml_time_buckets.devdocs.json'; diff --git a/api_docs/kbn_ml_trained_models_utils.mdx b/api_docs/kbn_ml_trained_models_utils.mdx index 558b61354f352..fc05f02c282ef 100644 --- a/api_docs/kbn_ml_trained_models_utils.mdx +++ b/api_docs/kbn_ml_trained_models_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-trained-models-utils title: "@kbn/ml-trained-models-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-trained-models-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-trained-models-utils'] --- import kbnMlTrainedModelsUtilsObj from './kbn_ml_trained_models_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_ui_actions.mdx b/api_docs/kbn_ml_ui_actions.mdx index 01eaaa562d2a0..f764d8236296c 100644 --- a/api_docs/kbn_ml_ui_actions.mdx +++ b/api_docs/kbn_ml_ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-ui-actions title: "@kbn/ml-ui-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-ui-actions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-ui-actions'] --- import kbnMlUiActionsObj from './kbn_ml_ui_actions.devdocs.json'; diff --git a/api_docs/kbn_ml_url_state.mdx b/api_docs/kbn_ml_url_state.mdx index 743d91185cac4..9845758bd8b92 100644 --- a/api_docs/kbn_ml_url_state.mdx +++ b/api_docs/kbn_ml_url_state.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-url-state title: "@kbn/ml-url-state" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-url-state plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-url-state'] --- import kbnMlUrlStateObj from './kbn_ml_url_state.devdocs.json'; diff --git a/api_docs/kbn_ml_validators.mdx b/api_docs/kbn_ml_validators.mdx index 93cad8bfd8dde..f600b9a7bc5c3 100644 --- a/api_docs/kbn_ml_validators.mdx +++ b/api_docs/kbn_ml_validators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-validators title: "@kbn/ml-validators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-validators plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-validators'] --- import kbnMlValidatorsObj from './kbn_ml_validators.devdocs.json'; diff --git a/api_docs/kbn_mock_idp_utils.mdx b/api_docs/kbn_mock_idp_utils.mdx index 743da6d0f9617..71aecedd4a8d0 100644 --- a/api_docs/kbn_mock_idp_utils.mdx +++ b/api_docs/kbn_mock_idp_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mock-idp-utils title: "@kbn/mock-idp-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mock-idp-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mock-idp-utils'] --- import kbnMockIdpUtilsObj from './kbn_mock_idp_utils.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index 211a4449cf0de..cf912d1f8c4d4 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_object_versioning.mdx b/api_docs/kbn_object_versioning.mdx index d9b2a5d3a68c0..ed26674e7e4f6 100644 --- a/api_docs/kbn_object_versioning.mdx +++ b/api_docs/kbn_object_versioning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning title: "@kbn/object-versioning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning'] --- import kbnObjectVersioningObj from './kbn_object_versioning.devdocs.json'; diff --git a/api_docs/kbn_object_versioning_utils.mdx b/api_docs/kbn_object_versioning_utils.mdx index bc073b15ca8fa..ecfc4dbad124e 100644 --- a/api_docs/kbn_object_versioning_utils.mdx +++ b/api_docs/kbn_object_versioning_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning-utils title: "@kbn/object-versioning-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning-utils'] --- import kbnObjectVersioningUtilsObj from './kbn_object_versioning_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alert_details.mdx b/api_docs/kbn_observability_alert_details.mdx index fe283ebbbb9bd..7f035e7bc146a 100644 --- a/api_docs/kbn_observability_alert_details.mdx +++ b/api_docs/kbn_observability_alert_details.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alert-details title: "@kbn/observability-alert-details" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alert-details plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alert-details'] --- import kbnObservabilityAlertDetailsObj from './kbn_observability_alert_details.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_rule_utils.mdx b/api_docs/kbn_observability_alerting_rule_utils.mdx index 312454b73b051..7e4815368c1df 100644 --- a/api_docs/kbn_observability_alerting_rule_utils.mdx +++ b/api_docs/kbn_observability_alerting_rule_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-rule-utils title: "@kbn/observability-alerting-rule-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-rule-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-rule-utils'] --- import kbnObservabilityAlertingRuleUtilsObj from './kbn_observability_alerting_rule_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_test_data.mdx b/api_docs/kbn_observability_alerting_test_data.mdx index 6fcb2d55a6f4b..882e414d3b7b5 100644 --- a/api_docs/kbn_observability_alerting_test_data.mdx +++ b/api_docs/kbn_observability_alerting_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-test-data title: "@kbn/observability-alerting-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-test-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-test-data'] --- import kbnObservabilityAlertingTestDataObj from './kbn_observability_alerting_test_data.devdocs.json'; diff --git a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx index 5420bc2d6fa7d..24d1a3c76b951 100644 --- a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx +++ b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-get-padded-alert-time-range-util title: "@kbn/observability-get-padded-alert-time-range-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-get-padded-alert-time-range-util plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-get-padded-alert-time-range-util'] --- import kbnObservabilityGetPaddedAlertTimeRangeUtilObj from './kbn_observability_get_padded_alert_time_range_util.devdocs.json'; diff --git a/api_docs/kbn_observability_logs_overview.devdocs.json b/api_docs/kbn_observability_logs_overview.devdocs.json index e43439900367a..e445f48d30f77 100644 --- a/api_docs/kbn_observability_logs_overview.devdocs.json +++ b/api_docs/kbn_observability_logs_overview.devdocs.json @@ -21,7 +21,7 @@ }, ">" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -75,7 +75,7 @@ }, ") => React.JSX.Element" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -95,7 +95,7 @@ "text": "LogsOverviewErrorContentProps" } ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -114,7 +114,7 @@ "signature": [ "({}: {}) => React.JSX.Element" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -128,7 +128,7 @@ "signature": [ "{}" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_loading_content.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -146,7 +146,7 @@ "tags": [], "label": "DataViewLogsSourceConfiguration", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -160,7 +160,7 @@ "signature": [ "\"data_view\"" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -180,7 +180,7 @@ "text": "DataView" } ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -194,7 +194,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false } @@ -208,7 +208,7 @@ "tags": [], "label": "IndexNameLogsSourceConfiguration", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -222,7 +222,7 @@ "signature": [ "\"index_name\"" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -233,7 +233,7 @@ "tags": [], "label": "indexName", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -244,7 +244,7 @@ "tags": [], "label": "timestampField", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -255,7 +255,7 @@ "tags": [], "label": "messageField", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false } @@ -269,7 +269,7 @@ "tags": [], "label": "LogsOverviewErrorContentProps", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -283,7 +283,7 @@ "signature": [ "Error | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview_error_content.tsx", "deprecated": false, "trackAdoption": false } @@ -297,7 +297,7 @@ "tags": [], "label": "LogsOverviewProps", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -338,7 +338,7 @@ }, "; }" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false }, @@ -353,7 +353,7 @@ "QueryDslQueryContainer", "[] | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false }, @@ -374,7 +374,7 @@ }, " | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false }, @@ -388,7 +388,7 @@ "signature": [ "{ start: string; end: string; }" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false } @@ -402,7 +402,7 @@ "tags": [], "label": "SharedSettingLogsSourceConfiguration", "description": [], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -416,7 +416,7 @@ "signature": [ "\"shared_setting\"" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -430,7 +430,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false }, @@ -444,7 +444,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false } @@ -491,7 +491,7 @@ }, "; }" ], - "path": "x-pack/packages/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -528,7 +528,7 @@ "text": "DataViewLogsSourceConfiguration" } ], - "path": "x-pack/packages/observability/logs_overview/src/utils/logs_source.ts", + "path": "x-pack/platform/packages/shared/observability/logs_overview/src/utils/logs_source.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_observability_logs_overview.mdx b/api_docs/kbn_observability_logs_overview.mdx index b7182c6c9a9b5..5aa0a4b7ac708 100644 --- a/api_docs/kbn_observability_logs_overview.mdx +++ b/api_docs/kbn_observability_logs_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-logs-overview title: "@kbn/observability-logs-overview" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-logs-overview plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-logs-overview'] --- import kbnObservabilityLogsOverviewObj from './kbn_observability_logs_overview.devdocs.json'; diff --git a/api_docs/kbn_observability_synthetics_test_data.mdx b/api_docs/kbn_observability_synthetics_test_data.mdx index 1cc1940856488..ccdcc628f23da 100644 --- a/api_docs/kbn_observability_synthetics_test_data.mdx +++ b/api_docs/kbn_observability_synthetics_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-synthetics-test-data title: "@kbn/observability-synthetics-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-synthetics-test-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-synthetics-test-data'] --- import kbnObservabilitySyntheticsTestDataObj from './kbn_observability_synthetics_test_data.devdocs.json'; diff --git a/api_docs/kbn_openapi_bundler.mdx b/api_docs/kbn_openapi_bundler.mdx index 69f7de8503441..97d84b7daf852 100644 --- a/api_docs/kbn_openapi_bundler.mdx +++ b/api_docs/kbn_openapi_bundler.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-bundler title: "@kbn/openapi-bundler" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-bundler plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-bundler'] --- import kbnOpenapiBundlerObj from './kbn_openapi_bundler.devdocs.json'; diff --git a/api_docs/kbn_openapi_generator.mdx b/api_docs/kbn_openapi_generator.mdx index fc2ae8eab213d..1c9d2efcdd487 100644 --- a/api_docs/kbn_openapi_generator.mdx +++ b/api_docs/kbn_openapi_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-generator title: "@kbn/openapi-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-generator plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-generator'] --- import kbnOpenapiGeneratorObj from './kbn_openapi_generator.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index 552e951d56f2b..db7d60a90b911 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 418c340d7393d..7bfe91fe66aba 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index f153ff52b0283..9511549d90900 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_palettes.mdx b/api_docs/kbn_palettes.mdx index 2201e7c0c4c79..55408f4cffa4f 100644 --- a/api_docs/kbn_palettes.mdx +++ b/api_docs/kbn_palettes.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-palettes title: "@kbn/palettes" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/palettes plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/palettes'] --- import kbnPalettesObj from './kbn_palettes.devdocs.json'; diff --git a/api_docs/kbn_panel_loader.mdx b/api_docs/kbn_panel_loader.mdx index 9908d0fdda2de..d8feee85d5c81 100644 --- a/api_docs/kbn_panel_loader.mdx +++ b/api_docs/kbn_panel_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-panel-loader title: "@kbn/panel-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/panel-loader plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/panel-loader'] --- import kbnPanelLoaderObj from './kbn_panel_loader.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index d206bcaa6309b..d066f7fbb8a12 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_check.mdx b/api_docs/kbn_plugin_check.mdx index b331869e61a41..20b664bd5be51 100644 --- a/api_docs/kbn_plugin_check.mdx +++ b/api_docs/kbn_plugin_check.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-check title: "@kbn/plugin-check" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-check plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-check'] --- import kbnPluginCheckObj from './kbn_plugin_check.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 9b753cc4b829c..abd0fb6b3d071 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index 12b00d45d0547..0ae5fe84dcc47 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_presentation_containers.mdx b/api_docs/kbn_presentation_containers.mdx index 41907de7faedf..8c7b5070cd534 100644 --- a/api_docs/kbn_presentation_containers.mdx +++ b/api_docs/kbn_presentation_containers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-containers title: "@kbn/presentation-containers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-containers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-containers'] --- import kbnPresentationContainersObj from './kbn_presentation_containers.devdocs.json'; diff --git a/api_docs/kbn_presentation_publishing.mdx b/api_docs/kbn_presentation_publishing.mdx index e77ba122396ab..88f6a25b6da1b 100644 --- a/api_docs/kbn_presentation_publishing.mdx +++ b/api_docs/kbn_presentation_publishing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-publishing title: "@kbn/presentation-publishing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-publishing plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-publishing'] --- import kbnPresentationPublishingObj from './kbn_presentation_publishing.devdocs.json'; diff --git a/api_docs/kbn_product_doc_artifact_builder.mdx b/api_docs/kbn_product_doc_artifact_builder.mdx index 8e265aaad8f82..fcda4271fd2f8 100644 --- a/api_docs/kbn_product_doc_artifact_builder.mdx +++ b/api_docs/kbn_product_doc_artifact_builder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-artifact-builder title: "@kbn/product-doc-artifact-builder" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-artifact-builder plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-artifact-builder'] --- import kbnProductDocArtifactBuilderObj from './kbn_product_doc_artifact_builder.devdocs.json'; diff --git a/api_docs/kbn_product_doc_common.mdx b/api_docs/kbn_product_doc_common.mdx index ee7aea6f5cfc5..349a718cb0396 100644 --- a/api_docs/kbn_product_doc_common.mdx +++ b/api_docs/kbn_product_doc_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-common title: "@kbn/product-doc-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-common'] --- import kbnProductDocCommonObj from './kbn_product_doc_common.devdocs.json'; diff --git a/api_docs/kbn_profiling_utils.mdx b/api_docs/kbn_profiling_utils.mdx index 91a65ca9ae775..96a99f347a659 100644 --- a/api_docs/kbn_profiling_utils.mdx +++ b/api_docs/kbn_profiling_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-profiling-utils title: "@kbn/profiling-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/profiling-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/profiling-utils'] --- import kbnProfilingUtilsObj from './kbn_profiling_utils.devdocs.json'; diff --git a/api_docs/kbn_random_sampling.mdx b/api_docs/kbn_random_sampling.mdx index dc6a9a0ed9326..6a5808d1780ed 100644 --- a/api_docs/kbn_random_sampling.mdx +++ b/api_docs/kbn_random_sampling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-random-sampling title: "@kbn/random-sampling" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/random-sampling plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/random-sampling'] --- import kbnRandomSamplingObj from './kbn_random_sampling.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index 6f4cdea9f072b..e8c78adaa9401 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_react_hooks.devdocs.json b/api_docs/kbn_react_hooks.devdocs.json index 5482346499d30..8f1e72d50efdf 100644 --- a/api_docs/kbn_react_hooks.devdocs.json +++ b/api_docs/kbn_react_hooks.devdocs.json @@ -36,7 +36,7 @@ "text": "UseBooleanResult" } ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -50,7 +50,7 @@ "signature": [ "boolean" ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -70,7 +70,7 @@ "() => ", "SerializedStyles" ], - "path": "packages/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_error_text_style/use_error_text_style.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -86,7 +86,7 @@ "tags": [], "label": "UseBooleanHandlers", "description": [], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -100,7 +100,7 @@ "signature": [ "() => void" ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -116,7 +116,7 @@ "signature": [ "() => void" ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -132,7 +132,7 @@ "signature": [ "(nextValue?: any) => void" ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -177,7 +177,7 @@ }, "]" ], - "path": "packages/kbn-react-hooks/src/use_boolean/use_boolean.ts", + "path": "src/platform/packages/shared/kbn-react-hooks/src/use_boolean/use_boolean.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_react_hooks.mdx b/api_docs/kbn_react_hooks.mdx index 3a10145ba35bb..0ba2b88adf652 100644 --- a/api_docs/kbn_react_hooks.mdx +++ b/api_docs/kbn_react_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-hooks title: "@kbn/react-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-hooks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-hooks'] --- import kbnReactHooksObj from './kbn_react_hooks.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_common.mdx b/api_docs/kbn_react_kibana_context_common.mdx index 03fc6f84d65aa..5ec7dc9a6522a 100644 --- a/api_docs/kbn_react_kibana_context_common.mdx +++ b/api_docs/kbn_react_kibana_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-common title: "@kbn/react-kibana-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-common'] --- import kbnReactKibanaContextCommonObj from './kbn_react_kibana_context_common.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_render.mdx b/api_docs/kbn_react_kibana_context_render.mdx index d7378324be6f0..245960ce68cdb 100644 --- a/api_docs/kbn_react_kibana_context_render.mdx +++ b/api_docs/kbn_react_kibana_context_render.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-render title: "@kbn/react-kibana-context-render" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-render plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-render'] --- import kbnReactKibanaContextRenderObj from './kbn_react_kibana_context_render.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_root.mdx b/api_docs/kbn_react_kibana_context_root.mdx index 10760506ec60b..727ada39e4df7 100644 --- a/api_docs/kbn_react_kibana_context_root.mdx +++ b/api_docs/kbn_react_kibana_context_root.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-root title: "@kbn/react-kibana-context-root" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-root plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-root'] --- import kbnReactKibanaContextRootObj from './kbn_react_kibana_context_root.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_styled.mdx b/api_docs/kbn_react_kibana_context_styled.mdx index 5207801f188e5..694db676ea9bd 100644 --- a/api_docs/kbn_react_kibana_context_styled.mdx +++ b/api_docs/kbn_react_kibana_context_styled.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-styled title: "@kbn/react-kibana-context-styled" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-styled plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-styled'] --- import kbnReactKibanaContextStyledObj from './kbn_react_kibana_context_styled.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_theme.mdx b/api_docs/kbn_react_kibana_context_theme.mdx index d67252820f935..da61f9297f458 100644 --- a/api_docs/kbn_react_kibana_context_theme.mdx +++ b/api_docs/kbn_react_kibana_context_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-theme title: "@kbn/react-kibana-context-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-theme plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-theme'] --- import kbnReactKibanaContextThemeObj from './kbn_react_kibana_context_theme.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_mount.mdx b/api_docs/kbn_react_kibana_mount.mdx index a08c0341c0323..dac3c83783e2d 100644 --- a/api_docs/kbn_react_kibana_mount.mdx +++ b/api_docs/kbn_react_kibana_mount.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-mount title: "@kbn/react-kibana-mount" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-mount plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-mount'] --- import kbnReactKibanaMountObj from './kbn_react_kibana_mount.devdocs.json'; diff --git a/api_docs/kbn_react_mute_legacy_root_warning.mdx b/api_docs/kbn_react_mute_legacy_root_warning.mdx index 107fd636935db..9207dd388f991 100644 --- a/api_docs/kbn_react_mute_legacy_root_warning.mdx +++ b/api_docs/kbn_react_mute_legacy_root_warning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-mute-legacy-root-warning title: "@kbn/react-mute-legacy-root-warning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-mute-legacy-root-warning plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-mute-legacy-root-warning'] --- import kbnReactMuteLegacyRootWarningObj from './kbn_react_mute_legacy_root_warning.devdocs.json'; diff --git a/api_docs/kbn_recently_accessed.mdx b/api_docs/kbn_recently_accessed.mdx index 1a8ccb9da6e7e..724228e86dce1 100644 --- a/api_docs/kbn_recently_accessed.mdx +++ b/api_docs/kbn_recently_accessed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-recently-accessed title: "@kbn/recently-accessed" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/recently-accessed plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/recently-accessed'] --- import kbnRecentlyAccessedObj from './kbn_recently_accessed.devdocs.json'; diff --git a/api_docs/kbn_relocate.mdx b/api_docs/kbn_relocate.mdx index 7aa5f48a3e889..7c52286864fc7 100644 --- a/api_docs/kbn_relocate.mdx +++ b/api_docs/kbn_relocate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-relocate title: "@kbn/relocate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/relocate plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/relocate'] --- import kbnRelocateObj from './kbn_relocate.devdocs.json'; diff --git a/api_docs/kbn_repo_file_maps.mdx b/api_docs/kbn_repo_file_maps.mdx index 2d1eaa4db95be..6c47a6ee437e9 100644 --- a/api_docs/kbn_repo_file_maps.mdx +++ b/api_docs/kbn_repo_file_maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-file-maps title: "@kbn/repo-file-maps" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-file-maps plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-file-maps'] --- import kbnRepoFileMapsObj from './kbn_repo_file_maps.devdocs.json'; diff --git a/api_docs/kbn_repo_linter.mdx b/api_docs/kbn_repo_linter.mdx index 32c9fc93b3b21..cd51b9762efd6 100644 --- a/api_docs/kbn_repo_linter.mdx +++ b/api_docs/kbn_repo_linter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-linter title: "@kbn/repo-linter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-linter plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-linter'] --- import kbnRepoLinterObj from './kbn_repo_linter.devdocs.json'; diff --git a/api_docs/kbn_repo_path.mdx b/api_docs/kbn_repo_path.mdx index b256130f88657..3a5a057923329 100644 --- a/api_docs/kbn_repo_path.mdx +++ b/api_docs/kbn_repo_path.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-path title: "@kbn/repo-path" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-path plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-path'] --- import kbnRepoPathObj from './kbn_repo_path.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index 2c91b679d8654..a9ba88e0e331e 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_reporting_common.mdx b/api_docs/kbn_reporting_common.mdx index 3951c221eda2f..10809db32ca79 100644 --- a/api_docs/kbn_reporting_common.mdx +++ b/api_docs/kbn_reporting_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-common title: "@kbn/reporting-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-common'] --- import kbnReportingCommonObj from './kbn_reporting_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_csv_share_panel.mdx b/api_docs/kbn_reporting_csv_share_panel.mdx index ffc6c2065076a..11c3e0f2da862 100644 --- a/api_docs/kbn_reporting_csv_share_panel.mdx +++ b/api_docs/kbn_reporting_csv_share_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-csv-share-panel title: "@kbn/reporting-csv-share-panel" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-csv-share-panel plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-csv-share-panel'] --- import kbnReportingCsvSharePanelObj from './kbn_reporting_csv_share_panel.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv.mdx b/api_docs/kbn_reporting_export_types_csv.mdx index bc6b00f08b1ce..e016b7cae392f 100644 --- a/api_docs/kbn_reporting_export_types_csv.mdx +++ b/api_docs/kbn_reporting_export_types_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv title: "@kbn/reporting-export-types-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv'] --- import kbnReportingExportTypesCsvObj from './kbn_reporting_export_types_csv.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv_common.mdx b/api_docs/kbn_reporting_export_types_csv_common.mdx index 97a77c5c378a7..b0d28981ab0a5 100644 --- a/api_docs/kbn_reporting_export_types_csv_common.mdx +++ b/api_docs/kbn_reporting_export_types_csv_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv-common title: "@kbn/reporting-export-types-csv-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv-common'] --- import kbnReportingExportTypesCsvCommonObj from './kbn_reporting_export_types_csv_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf.mdx b/api_docs/kbn_reporting_export_types_pdf.mdx index f4a41d1dc9e34..89f1327205e18 100644 --- a/api_docs/kbn_reporting_export_types_pdf.mdx +++ b/api_docs/kbn_reporting_export_types_pdf.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf title: "@kbn/reporting-export-types-pdf" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf'] --- import kbnReportingExportTypesPdfObj from './kbn_reporting_export_types_pdf.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf_common.mdx b/api_docs/kbn_reporting_export_types_pdf_common.mdx index cdbe046536861..a079fa3cbb24f 100644 --- a/api_docs/kbn_reporting_export_types_pdf_common.mdx +++ b/api_docs/kbn_reporting_export_types_pdf_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf-common title: "@kbn/reporting-export-types-pdf-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf-common'] --- import kbnReportingExportTypesPdfCommonObj from './kbn_reporting_export_types_pdf_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png.mdx b/api_docs/kbn_reporting_export_types_png.mdx index 70727468adbcd..fe9f67081541a 100644 --- a/api_docs/kbn_reporting_export_types_png.mdx +++ b/api_docs/kbn_reporting_export_types_png.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png title: "@kbn/reporting-export-types-png" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png'] --- import kbnReportingExportTypesPngObj from './kbn_reporting_export_types_png.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png_common.mdx b/api_docs/kbn_reporting_export_types_png_common.mdx index 1bb474699632f..ea88e071d05b5 100644 --- a/api_docs/kbn_reporting_export_types_png_common.mdx +++ b/api_docs/kbn_reporting_export_types_png_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png-common title: "@kbn/reporting-export-types-png-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png-common'] --- import kbnReportingExportTypesPngCommonObj from './kbn_reporting_export_types_png_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_mocks_server.mdx b/api_docs/kbn_reporting_mocks_server.mdx index 8655b0ba71896..0f415680a931e 100644 --- a/api_docs/kbn_reporting_mocks_server.mdx +++ b/api_docs/kbn_reporting_mocks_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-mocks-server title: "@kbn/reporting-mocks-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-mocks-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-mocks-server'] --- import kbnReportingMocksServerObj from './kbn_reporting_mocks_server.devdocs.json'; diff --git a/api_docs/kbn_reporting_public.mdx b/api_docs/kbn_reporting_public.mdx index 059c450f92424..55841e505b253 100644 --- a/api_docs/kbn_reporting_public.mdx +++ b/api_docs/kbn_reporting_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-public title: "@kbn/reporting-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-public plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-public'] --- import kbnReportingPublicObj from './kbn_reporting_public.devdocs.json'; diff --git a/api_docs/kbn_reporting_server.mdx b/api_docs/kbn_reporting_server.mdx index 2e76fa90237d8..ad1202cf66a65 100644 --- a/api_docs/kbn_reporting_server.mdx +++ b/api_docs/kbn_reporting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-server title: "@kbn/reporting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-server'] --- import kbnReportingServerObj from './kbn_reporting_server.devdocs.json'; diff --git a/api_docs/kbn_resizable_layout.mdx b/api_docs/kbn_resizable_layout.mdx index fbd2e537156a7..5719eb3711321 100644 --- a/api_docs/kbn_resizable_layout.mdx +++ b/api_docs/kbn_resizable_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-resizable-layout title: "@kbn/resizable-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/resizable-layout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/resizable-layout'] --- import kbnResizableLayoutObj from './kbn_resizable_layout.devdocs.json'; diff --git a/api_docs/kbn_response_ops_feature_flag_service.mdx b/api_docs/kbn_response_ops_feature_flag_service.mdx index 8188e60603c50..e74b993ce0941 100644 --- a/api_docs/kbn_response_ops_feature_flag_service.mdx +++ b/api_docs/kbn_response_ops_feature_flag_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-feature-flag-service title: "@kbn/response-ops-feature-flag-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-feature-flag-service plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-feature-flag-service'] --- import kbnResponseOpsFeatureFlagServiceObj from './kbn_response_ops_feature_flag_service.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_form.mdx b/api_docs/kbn_response_ops_rule_form.mdx index ef4ca387d3c24..aa08e727f4de8 100644 --- a/api_docs/kbn_response_ops_rule_form.mdx +++ b/api_docs/kbn_response_ops_rule_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-form title: "@kbn/response-ops-rule-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-form plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-form'] --- import kbnResponseOpsRuleFormObj from './kbn_response_ops_rule_form.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_params.mdx b/api_docs/kbn_response_ops_rule_params.mdx index 2307ac4d0c1cf..c3b4f7637b3f5 100644 --- a/api_docs/kbn_response_ops_rule_params.mdx +++ b/api_docs/kbn_response_ops_rule_params.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-params title: "@kbn/response-ops-rule-params" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-params plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-params'] --- import kbnResponseOpsRuleParamsObj from './kbn_response_ops_rule_params.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index dbb60fab11153..e11ea33c3bd3b 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rollup.mdx b/api_docs/kbn_rollup.mdx index 8d2093c36e494..2193420b4e953 100644 --- a/api_docs/kbn_rollup.mdx +++ b/api_docs/kbn_rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rollup title: "@kbn/rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rollup plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rollup'] --- import kbnRollupObj from './kbn_rollup.devdocs.json'; diff --git a/api_docs/kbn_router_to_openapispec.mdx b/api_docs/kbn_router_to_openapispec.mdx index 98050f73ecbc0..ab72b3a80c7bb 100644 --- a/api_docs/kbn_router_to_openapispec.mdx +++ b/api_docs/kbn_router_to_openapispec.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-to-openapispec title: "@kbn/router-to-openapispec" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-to-openapispec plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-to-openapispec'] --- import kbnRouterToOpenapispecObj from './kbn_router_to_openapispec.devdocs.json'; diff --git a/api_docs/kbn_router_utils.devdocs.json b/api_docs/kbn_router_utils.devdocs.json index da95c94131258..2207b77faa9c8 100644 --- a/api_docs/kbn_router_utils.devdocs.json +++ b/api_docs/kbn_router_utils.devdocs.json @@ -32,7 +32,7 @@ "({ href, onClick }: GetRouterLinkPropsDeps) => ", "RouterLinkProps" ], - "path": "packages/kbn-router-utils/src/get_router_link_props/index.ts", + "path": "src/platform/packages/shared/kbn-router-utils/src/get_router_link_props/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -46,7 +46,7 @@ "signature": [ "GetRouterLinkPropsDeps" ], - "path": "packages/kbn-router-utils/src/get_router_link_props/index.ts", + "path": "src/platform/packages/shared/kbn-router-utils/src/get_router_link_props/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true diff --git a/api_docs/kbn_router_utils.mdx b/api_docs/kbn_router_utils.mdx index f1cc78e90588a..2166adb34ff89 100644 --- a/api_docs/kbn_router_utils.mdx +++ b/api_docs/kbn_router_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-utils title: "@kbn/router-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-utils'] --- import kbnRouterUtilsObj from './kbn_router_utils.devdocs.json'; diff --git a/api_docs/kbn_rrule.mdx b/api_docs/kbn_rrule.mdx index af955559ccb35..5d4f618e8d357 100644 --- a/api_docs/kbn_rrule.mdx +++ b/api_docs/kbn_rrule.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rrule title: "@kbn/rrule" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rrule plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rrule'] --- import kbnRruleObj from './kbn_rrule.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index 91956ef22b77d..91738b8f45e5b 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_saved_objects_settings.mdx b/api_docs/kbn_saved_objects_settings.mdx index e577305bd617a..2538271c5e573 100644 --- a/api_docs/kbn_saved_objects_settings.mdx +++ b/api_docs/kbn_saved_objects_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-objects-settings title: "@kbn/saved-objects-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-objects-settings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-objects-settings'] --- import kbnSavedObjectsSettingsObj from './kbn_saved_objects_settings.devdocs.json'; diff --git a/api_docs/kbn_saved_search_component.mdx b/api_docs/kbn_saved_search_component.mdx index 9fe0244c0514d..20f8da73e3f81 100644 --- a/api_docs/kbn_saved_search_component.mdx +++ b/api_docs/kbn_saved_search_component.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-search-component title: "@kbn/saved-search-component" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-search-component plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-search-component'] --- import kbnSavedSearchComponentObj from './kbn_saved_search_component.devdocs.json'; diff --git a/api_docs/kbn_scout.devdocs.json b/api_docs/kbn_scout.devdocs.json index 2b4edec870188..288822a265b49 100644 --- a/api_docs/kbn_scout.devdocs.json +++ b/api_docs/kbn_scout.devdocs.json @@ -1504,7 +1504,7 @@ "PlaywrightTestConfig", "<{}, {}>" ], - "path": "packages/kbn-scout/src/playwright/config/index.ts", + "path": "packages/kbn-scout/src/playwright/config/create_config.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1524,7 +1524,7 @@ "text": "ScoutPlaywrightOptions" } ], - "path": "packages/kbn-scout/src/playwright/config/index.ts", + "path": "packages/kbn-scout/src/playwright/config/create_config.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -2003,7 +2003,7 @@ "label": "config", "description": [], "signature": [ - "ScoutServerConfig" + "ScoutTestConfig" ], "path": "packages/kbn-scout/src/playwright/fixtures/types/worker_scope.ts", "deprecated": false, diff --git a/api_docs/kbn_scout.mdx b/api_docs/kbn_scout.mdx index 542958dbfe692..7e7624862ce4b 100644 --- a/api_docs/kbn_scout.mdx +++ b/api_docs/kbn_scout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout title: "@kbn/scout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout'] --- import kbnScoutObj from './kbn_scout.devdocs.json'; diff --git a/api_docs/kbn_scout_info.mdx b/api_docs/kbn_scout_info.mdx index 1cff87245acbb..523150b9c674c 100644 --- a/api_docs/kbn_scout_info.mdx +++ b/api_docs/kbn_scout_info.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-info title: "@kbn/scout-info" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-info plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-info'] --- import kbnScoutInfoObj from './kbn_scout_info.devdocs.json'; diff --git a/api_docs/kbn_scout_reporting.mdx b/api_docs/kbn_scout_reporting.mdx index b13a0d627193e..a56e89029ac57 100644 --- a/api_docs/kbn_scout_reporting.mdx +++ b/api_docs/kbn_scout_reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-reporting title: "@kbn/scout-reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-reporting plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-reporting'] --- import kbnScoutReportingObj from './kbn_scout_reporting.devdocs.json'; diff --git a/api_docs/kbn_screenshotting_server.mdx b/api_docs/kbn_screenshotting_server.mdx index aa12e8b445ec7..0dc532f938492 100644 --- a/api_docs/kbn_screenshotting_server.mdx +++ b/api_docs/kbn_screenshotting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-screenshotting-server title: "@kbn/screenshotting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/screenshotting-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/screenshotting-server'] --- import kbnScreenshottingServerObj from './kbn_screenshotting_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_components.mdx b/api_docs/kbn_search_api_keys_components.mdx index 0a00afd37e4d9..a48d6be6bb1aa 100644 --- a/api_docs/kbn_search_api_keys_components.mdx +++ b/api_docs/kbn_search_api_keys_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-components title: "@kbn/search-api-keys-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-components'] --- import kbnSearchApiKeysComponentsObj from './kbn_search_api_keys_components.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_server.mdx b/api_docs/kbn_search_api_keys_server.mdx index 2b082dce4587d..484b46c485b89 100644 --- a/api_docs/kbn_search_api_keys_server.mdx +++ b/api_docs/kbn_search_api_keys_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-server title: "@kbn/search-api-keys-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-server'] --- import kbnSearchApiKeysServerObj from './kbn_search_api_keys_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_panels.mdx b/api_docs/kbn_search_api_panels.mdx index e6ccd8df90874..61b669aeda6b7 100644 --- a/api_docs/kbn_search_api_panels.mdx +++ b/api_docs/kbn_search_api_panels.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-panels title: "@kbn/search-api-panels" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-panels plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-panels'] --- import kbnSearchApiPanelsObj from './kbn_search_api_panels.devdocs.json'; diff --git a/api_docs/kbn_search_connectors.mdx b/api_docs/kbn_search_connectors.mdx index b4d16e98dcae5..87ed99b875f1b 100644 --- a/api_docs/kbn_search_connectors.mdx +++ b/api_docs/kbn_search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-connectors title: "@kbn/search-connectors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-connectors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-connectors'] --- import kbnSearchConnectorsObj from './kbn_search_connectors.devdocs.json'; diff --git a/api_docs/kbn_search_errors.mdx b/api_docs/kbn_search_errors.mdx index 91408b781f685..47b0bdcbc0c25 100644 --- a/api_docs/kbn_search_errors.mdx +++ b/api_docs/kbn_search_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-errors title: "@kbn/search-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-errors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-errors'] --- import kbnSearchErrorsObj from './kbn_search_errors.devdocs.json'; diff --git a/api_docs/kbn_search_index_documents.mdx b/api_docs/kbn_search_index_documents.mdx index c9d54f8804d0c..a7731d724afa2 100644 --- a/api_docs/kbn_search_index_documents.mdx +++ b/api_docs/kbn_search_index_documents.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-index-documents title: "@kbn/search-index-documents" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-index-documents plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-index-documents'] --- import kbnSearchIndexDocumentsObj from './kbn_search_index_documents.devdocs.json'; diff --git a/api_docs/kbn_search_response_warnings.mdx b/api_docs/kbn_search_response_warnings.mdx index 27f0e61dba5cc..0d1a76c1ec84e 100644 --- a/api_docs/kbn_search_response_warnings.mdx +++ b/api_docs/kbn_search_response_warnings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-response-warnings title: "@kbn/search-response-warnings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-response-warnings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-response-warnings'] --- import kbnSearchResponseWarningsObj from './kbn_search_response_warnings.devdocs.json'; diff --git a/api_docs/kbn_search_shared_ui.devdocs.json b/api_docs/kbn_search_shared_ui.devdocs.json index 112b95d861efc..f07d84726b44a 100644 --- a/api_docs/kbn_search_shared_ui.devdocs.json +++ b/api_docs/kbn_search_shared_ui.devdocs.json @@ -3,6 +3,72 @@ "client": { "classes": [], "functions": [ + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.ConnectorIcon", + "type": "Function", + "tags": [], + "label": "ConnectorIcon", + "description": [], + "signature": [ + "({ name, serviceType, iconPath, showTooltip, }: ConnectorIconProps) => React.JSX.Element" + ], + "path": "x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.ConnectorIcon.$1", + "type": "Object", + "tags": [], + "label": "{\n name,\n serviceType,\n iconPath,\n showTooltip = true,\n}", + "description": [], + "signature": [ + "ConnectorIconProps" + ], + "path": "x-pack/packages/search/shared_ui/src/connector_icon/connector_icon.tsx", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.DecorativeHorizontalStepper", + "type": "Function", + "tags": [], + "label": "DecorativeHorizontalStepper", + "description": [], + "signature": [ + "({ stepCount, }: DecorativeHorizontalStepperProps) => React.JSX.Element" + ], + "path": "x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.DecorativeHorizontalStepper.$1", + "type": "Object", + "tags": [], + "label": "{\n stepCount = 2,\n}", + "description": [], + "signature": [ + "DecorativeHorizontalStepperProps" + ], + "path": "x-pack/packages/search/shared_ui/src/decorative_horizontal_stepper/decorative_horizontal_stepper.tsx", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false + }, { "parentPluginId": "@kbn/search-shared-ui", "id": "def-public.FormInfoField", @@ -35,6 +101,39 @@ ], "returnComment": [], "initialIsOpen": false + }, + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.SearchEmptyPrompt", + "type": "Function", + "tags": [], + "label": "SearchEmptyPrompt", + "description": [], + "signature": [ + "({ actions, backButton, body, description, icon, isComingSoon, comingSoonLabel, title, }: SearchEmptyPromptProps) => React.JSX.Element" + ], + "path": "x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx", + "deprecated": false, + "trackAdoption": false, + "children": [ + { + "parentPluginId": "@kbn/search-shared-ui", + "id": "def-public.SearchEmptyPrompt.$1", + "type": "Object", + "tags": [], + "label": "{\n actions,\n backButton,\n body,\n description,\n icon,\n isComingSoon,\n comingSoonLabel,\n title,\n}", + "description": [], + "signature": [ + "SearchEmptyPromptProps" + ], + "path": "x-pack/packages/search/shared_ui/src/search_empty_prompt/search_empty_prompt.tsx", + "deprecated": false, + "trackAdoption": false, + "isRequired": true + } + ], + "returnComment": [], + "initialIsOpen": false } ], "interfaces": [], diff --git a/api_docs/kbn_search_shared_ui.mdx b/api_docs/kbn_search_shared_ui.mdx index 903a107d4bcf8..93756b11c3fbb 100644 --- a/api_docs/kbn_search_shared_ui.mdx +++ b/api_docs/kbn_search_shared_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-shared-ui title: "@kbn/search-shared-ui" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-shared-ui plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-shared-ui'] --- import kbnSearchSharedUiObj from './kbn_search_shared_ui.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-ki | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 2 | 0 | 2 | 0 | +| 8 | 0 | 8 | 0 | ## Client diff --git a/api_docs/kbn_search_types.mdx b/api_docs/kbn_search_types.mdx index 76b4784c8fef1..e5cd23b1e184b 100644 --- a/api_docs/kbn_search_types.mdx +++ b/api_docs/kbn_search_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-types title: "@kbn/search-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-types'] --- import kbnSearchTypesObj from './kbn_search_types.devdocs.json'; diff --git a/api_docs/kbn_security_api_key_management.mdx b/api_docs/kbn_security_api_key_management.mdx index 4f18273e4c2a1..a4bf23c6ff499 100644 --- a/api_docs/kbn_security_api_key_management.mdx +++ b/api_docs/kbn_security_api_key_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-api-key-management title: "@kbn/security-api-key-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-api-key-management plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-api-key-management'] --- import kbnSecurityApiKeyManagementObj from './kbn_security_api_key_management.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core.mdx b/api_docs/kbn_security_authorization_core.mdx index 827eb06ac9319..90d70f6e262d7 100644 --- a/api_docs/kbn_security_authorization_core.mdx +++ b/api_docs/kbn_security_authorization_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core title: "@kbn/security-authorization-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core'] --- import kbnSecurityAuthorizationCoreObj from './kbn_security_authorization_core.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core_common.mdx b/api_docs/kbn_security_authorization_core_common.mdx index fbde2204f48fe..4646e78ae5853 100644 --- a/api_docs/kbn_security_authorization_core_common.mdx +++ b/api_docs/kbn_security_authorization_core_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core-common title: "@kbn/security-authorization-core-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core-common'] --- import kbnSecurityAuthorizationCoreCommonObj from './kbn_security_authorization_core_common.devdocs.json'; diff --git a/api_docs/kbn_security_form_components.mdx b/api_docs/kbn_security_form_components.mdx index 95444dadfc622..3d2663f5df10f 100644 --- a/api_docs/kbn_security_form_components.mdx +++ b/api_docs/kbn_security_form_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-form-components title: "@kbn/security-form-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-form-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-form-components'] --- import kbnSecurityFormComponentsObj from './kbn_security_form_components.devdocs.json'; diff --git a/api_docs/kbn_security_hardening.mdx b/api_docs/kbn_security_hardening.mdx index 0d09da6fb41cf..a6c37ead67970 100644 --- a/api_docs/kbn_security_hardening.mdx +++ b/api_docs/kbn_security_hardening.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-hardening title: "@kbn/security-hardening" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-hardening plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-hardening'] --- import kbnSecurityHardeningObj from './kbn_security_hardening.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_common.devdocs.json b/api_docs/kbn_security_plugin_types_common.devdocs.json index 886b1bffd0d93..0c7b8cf26d937 100644 --- a/api_docs/kbn_security_plugin_types_common.devdocs.json +++ b/api_docs/kbn_security_plugin_types_common.devdocs.json @@ -286,6 +286,23 @@ "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "@kbn/security-plugin-types-common", + "id": "def-common.AuthenticatedUser.api_key", + "type": "Object", + "tags": [], + "label": "api_key", + "description": [ + "\nMetadata of the API key that was used to authenticate the user." + ], + "signature": [ + "ApiKeyDescriptor", + " | undefined" + ], + "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false diff --git a/api_docs/kbn_security_plugin_types_common.mdx b/api_docs/kbn_security_plugin_types_common.mdx index a18b6f8a5196a..ba58fcd82ae2e 100644 --- a/api_docs/kbn_security_plugin_types_common.mdx +++ b/api_docs/kbn_security_plugin_types_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-common title: "@kbn/security-plugin-types-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-common plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-common'] --- import kbnSecurityPluginTypesCommonObj from './kbn_security_plugin_types_common.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana- | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 126 | 0 | 66 | 0 | +| 127 | 0 | 66 | 0 | ## Common diff --git a/api_docs/kbn_security_plugin_types_public.mdx b/api_docs/kbn_security_plugin_types_public.mdx index efda7c18d08bb..9c4132e0fd158 100644 --- a/api_docs/kbn_security_plugin_types_public.mdx +++ b/api_docs/kbn_security_plugin_types_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-public title: "@kbn/security-plugin-types-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-public plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-public'] --- import kbnSecurityPluginTypesPublicObj from './kbn_security_plugin_types_public.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_server.devdocs.json b/api_docs/kbn_security_plugin_types_server.devdocs.json index de0db32f5dbac..0a9d1643148b8 100644 --- a/api_docs/kbn_security_plugin_types_server.devdocs.json +++ b/api_docs/kbn_security_plugin_types_server.devdocs.json @@ -4899,23 +4899,15 @@ }, { "plugin": "entityManager", - "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts" + "path": "x-pack/platform/plugins/shared/entity_manager/server/lib/entities/uninstall_entity_definition.ts" }, { "plugin": "entityManager", - "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts" - }, - { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/lib/helpers/get_random_sampler/index.ts" - }, - { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/routes/agent_keys/get_agent_keys_privileges.ts" + "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts" }, { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/routes/fleet/is_superuser.ts" + "plugin": "entityManager", + "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts" }, { "plugin": "fleet", diff --git a/api_docs/kbn_security_plugin_types_server.mdx b/api_docs/kbn_security_plugin_types_server.mdx index 2279a9c2fa747..10f5bf186006c 100644 --- a/api_docs/kbn_security_plugin_types_server.mdx +++ b/api_docs/kbn_security_plugin_types_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-server title: "@kbn/security-plugin-types-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-server'] --- import kbnSecurityPluginTypesServerObj from './kbn_security_plugin_types_server.devdocs.json'; diff --git a/api_docs/kbn_security_role_management_model.mdx b/api_docs/kbn_security_role_management_model.mdx index 201d5e6a981a7..6006c837f7d74 100644 --- a/api_docs/kbn_security_role_management_model.mdx +++ b/api_docs/kbn_security_role_management_model.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-role-management-model title: "@kbn/security-role-management-model" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-role-management-model plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-role-management-model'] --- import kbnSecurityRoleManagementModelObj from './kbn_security_role_management_model.devdocs.json'; diff --git a/api_docs/kbn_security_solution_distribution_bar.mdx b/api_docs/kbn_security_solution_distribution_bar.mdx index 62bf62e4ac58a..2458ec37c197a 100644 --- a/api_docs/kbn_security_solution_distribution_bar.mdx +++ b/api_docs/kbn_security_solution_distribution_bar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-distribution-bar title: "@kbn/security-solution-distribution-bar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-distribution-bar plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-distribution-bar'] --- import kbnSecuritySolutionDistributionBarObj from './kbn_security_solution_distribution_bar.devdocs.json'; diff --git a/api_docs/kbn_security_solution_features.mdx b/api_docs/kbn_security_solution_features.mdx index 7726b4a8d04e6..c78e45d4288f9 100644 --- a/api_docs/kbn_security_solution_features.mdx +++ b/api_docs/kbn_security_solution_features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-features title: "@kbn/security-solution-features" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-features plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-features'] --- import kbnSecuritySolutionFeaturesObj from './kbn_security_solution_features.devdocs.json'; diff --git a/api_docs/kbn_security_solution_navigation.mdx b/api_docs/kbn_security_solution_navigation.mdx index a29624ce07ae3..8685f97c76059 100644 --- a/api_docs/kbn_security_solution_navigation.mdx +++ b/api_docs/kbn_security_solution_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-navigation title: "@kbn/security-solution-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-navigation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-navigation'] --- import kbnSecuritySolutionNavigationObj from './kbn_security_solution_navigation.devdocs.json'; diff --git a/api_docs/kbn_security_solution_side_nav.mdx b/api_docs/kbn_security_solution_side_nav.mdx index 528bc29fe6fd4..b0faffcd951b4 100644 --- a/api_docs/kbn_security_solution_side_nav.mdx +++ b/api_docs/kbn_security_solution_side_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-side-nav title: "@kbn/security-solution-side-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-side-nav plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-side-nav'] --- import kbnSecuritySolutionSideNavObj from './kbn_security_solution_side_nav.devdocs.json'; diff --git a/api_docs/kbn_security_solution_storybook_config.mdx b/api_docs/kbn_security_solution_storybook_config.mdx index 4007e1fd77b50..afa00225ca66e 100644 --- a/api_docs/kbn_security_solution_storybook_config.mdx +++ b/api_docs/kbn_security_solution_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-storybook-config title: "@kbn/security-solution-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-storybook-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-storybook-config'] --- import kbnSecuritySolutionStorybookConfigObj from './kbn_security_solution_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_security_ui_components.mdx b/api_docs/kbn_security_ui_components.mdx index b4e9162a00475..e4292f5885ab7 100644 --- a/api_docs/kbn_security_ui_components.mdx +++ b/api_docs/kbn_security_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-ui-components title: "@kbn/security-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-ui-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-ui-components'] --- import kbnSecurityUiComponentsObj from './kbn_security_ui_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index bbc65e7d1f06c..bb1ddbaa19d00 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_data_table.mdx b/api_docs/kbn_securitysolution_data_table.mdx index ef1eea02f9e3f..b75e168b38491 100644 --- a/api_docs/kbn_securitysolution_data_table.mdx +++ b/api_docs/kbn_securitysolution_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-data-table title: "@kbn/securitysolution-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-data-table plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-data-table'] --- import kbnSecuritysolutionDataTableObj from './kbn_securitysolution_data_table.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_ecs.mdx b/api_docs/kbn_securitysolution_ecs.mdx index 5f88850c89729..8b68542a277cb 100644 --- a/api_docs/kbn_securitysolution_ecs.mdx +++ b/api_docs/kbn_securitysolution_ecs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-ecs title: "@kbn/securitysolution-ecs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-ecs plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-ecs'] --- import kbnSecuritysolutionEcsObj from './kbn_securitysolution_ecs.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index 97b79c4572f0b..534f85ce5ef07 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index d3670019c938c..8db4ce37dae9e 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 100cec79805d3..e40e78d38b651 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index ab55eefd1be6a..e8a75995352da 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index bf73c33c37483..f8748de9cfd9f 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index e3d1a874bfd05..011789b9497d2 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index 029ff5617117a..c2f1f70f1dcb1 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index aa4dc26967a5e..b9bda6a2426d9 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index e1d63a5da6b75..6f2d30c1ae053 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index 84fcbee6667a3..58fe6b3aac728 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index a61fbb67a875a..fb4a0bf859e67 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 5b1d8a3f5bbb7..15ea690b1faff 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index af6b3918557fb..2ba7ae16121f2 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index e0a9a8e641ea5..bfd9c2c492b9d 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index 16f5592b19174..68c176509c6ed 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 59f31198c18f0..2db4be82bb8d0 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_client.mdx b/api_docs/kbn_server_route_repository_client.mdx index 00f831b686a52..5e71b43039715 100644 --- a/api_docs/kbn_server_route_repository_client.mdx +++ b/api_docs/kbn_server_route_repository_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-client title: "@kbn/server-route-repository-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-client plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-client'] --- import kbnServerRouteRepositoryClientObj from './kbn_server_route_repository_client.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_utils.mdx b/api_docs/kbn_server_route_repository_utils.mdx index f05d4ce4900b5..982de8c396f91 100644 --- a/api_docs/kbn_server_route_repository_utils.mdx +++ b/api_docs/kbn_server_route_repository_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-utils title: "@kbn/server-route-repository-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-utils'] --- import kbnServerRouteRepositoryUtilsObj from './kbn_server_route_repository_utils.devdocs.json'; diff --git a/api_docs/kbn_serverless_common_settings.mdx b/api_docs/kbn_serverless_common_settings.mdx index 92b569200c563..136b661292837 100644 --- a/api_docs/kbn_serverless_common_settings.mdx +++ b/api_docs/kbn_serverless_common_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-common-settings title: "@kbn/serverless-common-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-common-settings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-common-settings'] --- import kbnServerlessCommonSettingsObj from './kbn_serverless_common_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_observability_settings.mdx b/api_docs/kbn_serverless_observability_settings.mdx index 94243052223ba..a6c279ae5d62d 100644 --- a/api_docs/kbn_serverless_observability_settings.mdx +++ b/api_docs/kbn_serverless_observability_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-observability-settings title: "@kbn/serverless-observability-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-observability-settings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-observability-settings'] --- import kbnServerlessObservabilitySettingsObj from './kbn_serverless_observability_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_project_switcher.mdx b/api_docs/kbn_serverless_project_switcher.mdx index 0aae9acdb7313..1ed97c91d03e4 100644 --- a/api_docs/kbn_serverless_project_switcher.mdx +++ b/api_docs/kbn_serverless_project_switcher.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-project-switcher title: "@kbn/serverless-project-switcher" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-project-switcher plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-project-switcher'] --- import kbnServerlessProjectSwitcherObj from './kbn_serverless_project_switcher.devdocs.json'; diff --git a/api_docs/kbn_serverless_search_settings.mdx b/api_docs/kbn_serverless_search_settings.mdx index a94e8adfcc067..232ce9138ed2b 100644 --- a/api_docs/kbn_serverless_search_settings.mdx +++ b/api_docs/kbn_serverless_search_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-search-settings title: "@kbn/serverless-search-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-search-settings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-search-settings'] --- import kbnServerlessSearchSettingsObj from './kbn_serverless_search_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_security_settings.mdx b/api_docs/kbn_serverless_security_settings.mdx index 0c485df313997..e1ae8b46ba0f6 100644 --- a/api_docs/kbn_serverless_security_settings.mdx +++ b/api_docs/kbn_serverless_security_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-security-settings title: "@kbn/serverless-security-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-security-settings plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-security-settings'] --- import kbnServerlessSecuritySettingsObj from './kbn_serverless_security_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_storybook_config.mdx b/api_docs/kbn_serverless_storybook_config.mdx index eba400dd16932..02289025a7e80 100644 --- a/api_docs/kbn_serverless_storybook_config.mdx +++ b/api_docs/kbn_serverless_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-storybook-config title: "@kbn/serverless-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-storybook-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-storybook-config'] --- import kbnServerlessStorybookConfigObj from './kbn_serverless_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index e566ae1be2d9f..e4992e8e5b26d 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 434e304562386..44a3302a8c719 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 21d17535a9a70..2502577e0418d 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index 6abd3beed279e..71ca8b85e74d7 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index f42d12d63d30b..1cd0a73ab302f 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index e058f6fdbe351..65ba94a9296f2 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_chrome_navigation.mdx b/api_docs/kbn_shared_ux_chrome_navigation.mdx index 6354a9f54578f..d86e3f35eb851 100644 --- a/api_docs/kbn_shared_ux_chrome_navigation.mdx +++ b/api_docs/kbn_shared_ux_chrome_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-chrome-navigation title: "@kbn/shared-ux-chrome-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-chrome-navigation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-chrome-navigation'] --- import kbnSharedUxChromeNavigationObj from './kbn_shared_ux_chrome_navigation.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_error_boundary.mdx b/api_docs/kbn_shared_ux_error_boundary.mdx index 759228a4bb95c..da5b32e308e0f 100644 --- a/api_docs/kbn_shared_ux_error_boundary.mdx +++ b/api_docs/kbn_shared_ux_error_boundary.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-error-boundary title: "@kbn/shared-ux-error-boundary" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-error-boundary plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-error-boundary'] --- import kbnSharedUxErrorBoundaryObj from './kbn_shared_ux_error_boundary.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index 4162461494751..9946890d4828e 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index c8b3155c985e5..5d378015baa6b 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index 56ca5474a760f..b24265c320798 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index 006d52335bb98..6224bbbfb18d1 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_picker.mdx b/api_docs/kbn_shared_ux_file_picker.mdx index f41dfe07fe6e5..9322dea812f18 100644 --- a/api_docs/kbn_shared_ux_file_picker.mdx +++ b/api_docs/kbn_shared_ux_file_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-picker title: "@kbn/shared-ux-file-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-picker plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-picker'] --- import kbnSharedUxFilePickerObj from './kbn_shared_ux_file_picker.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_types.mdx b/api_docs/kbn_shared_ux_file_types.mdx index e98b151876604..2116158056306 100644 --- a/api_docs/kbn_shared_ux_file_types.mdx +++ b/api_docs/kbn_shared_ux_file_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-types title: "@kbn/shared-ux-file-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-types'] --- import kbnSharedUxFileTypesObj from './kbn_shared_ux_file_types.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_upload.mdx b/api_docs/kbn_shared_ux_file_upload.mdx index 9b5672a26d3e2..8c797c4e0a96e 100644 --- a/api_docs/kbn_shared_ux_file_upload.mdx +++ b/api_docs/kbn_shared_ux_file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-upload title: "@kbn/shared-ux-file-upload" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-upload plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-upload'] --- import kbnSharedUxFileUploadObj from './kbn_shared_ux_file_upload.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index 8069b1f4755eb..400565b6fdb83 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index c51a2acec6181..f5fa84c32075c 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index f9b21f150cbf6..e8bfeac42d2f5 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index 90bd4dfac73b7..c9e87e7eefb60 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 59bbc5d34dd30..1cb0ed3f7ad5a 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index d46f97036d9c3..243b351aaa686 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index 9c682e2a23070..ed4e6acc4149f 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index 06f07f19ab6f6..d379791b75cc0 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index 98bb093706ad0..adcf1b40a644f 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index f95510da8f870..cf844a294179b 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index 748834a06f616..d34b3b9d6f1e3 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index db95458be4c2f..1b954a9c82850 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index 9da55b5c12a73..bc0ce0eafb7fa 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index 6b583738420f3..c0c1c9a4a3a9e 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index c308968bf7758..79f9761980df2 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index 1be81c51437ca..9fc7e710a8ded 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.devdocs.json b/api_docs/kbn_shared_ux_prompt_no_data_views.devdocs.json index aa11474d34560..ed875e1cf5201 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.devdocs.json +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.devdocs.json @@ -259,7 +259,8 @@ "The background color of the prompt; defaults to `plain`." ], "signature": [ - "\"warning\" | \"success\" | \"plain\" | \"subdued\" | \"primary\" | \"accent\" | \"accentSecondary\" | \"danger\" | \"transparent\" | undefined" + "PanelColor", + " | undefined" ], "path": "packages/shared-ux/prompt/no_data_views/types/index.d.ts", "deprecated": false, diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index 1c88cde97d758..d623ab05fb70f 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 2c35410c1c899..2a25c52d4ad6e 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index f2217007b13f0..c32a09cac17c5 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index a68e7fcbbd5fe..3a67153c0039f 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index fe2f2284dcfc7..cbb2b67a60bfd 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 8d5cb0149fad9..06aebfad6930f 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index 30778049c32d9..f5b8e1fe691a8 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_tabbed_modal.mdx b/api_docs/kbn_shared_ux_tabbed_modal.mdx index b7d1890072303..c64f6cf3a059a 100644 --- a/api_docs/kbn_shared_ux_tabbed_modal.mdx +++ b/api_docs/kbn_shared_ux_tabbed_modal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-tabbed-modal title: "@kbn/shared-ux-tabbed-modal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-tabbed-modal plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-tabbed-modal'] --- import kbnSharedUxTabbedModalObj from './kbn_shared_ux_tabbed_modal.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_table_persist.mdx b/api_docs/kbn_shared_ux_table_persist.mdx index e654fe5fcaf73..1eb892568ee18 100644 --- a/api_docs/kbn_shared_ux_table_persist.mdx +++ b/api_docs/kbn_shared_ux_table_persist.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-table-persist title: "@kbn/shared-ux-table-persist" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-table-persist plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-table-persist'] --- import kbnSharedUxTablePersistObj from './kbn_shared_ux_table_persist.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index 7dcd791c4cf66..bde0c28d8bfaa 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_slo_schema.mdx b/api_docs/kbn_slo_schema.mdx index b10e7f83c33bf..3a6ddff2891ee 100644 --- a/api_docs/kbn_slo_schema.mdx +++ b/api_docs/kbn_slo_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-slo-schema title: "@kbn/slo-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/slo-schema plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/slo-schema'] --- import kbnSloSchemaObj from './kbn_slo_schema.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index 20c0f72dfeadd..d2dacaea9e9ca 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_predicates.mdx b/api_docs/kbn_sort_predicates.mdx index dab3b073d6dff..87c1cc278cd1e 100644 --- a/api_docs/kbn_sort_predicates.mdx +++ b/api_docs/kbn_sort_predicates.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-predicates title: "@kbn/sort-predicates" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-predicates plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-predicates'] --- import kbnSortPredicatesObj from './kbn_sort_predicates.devdocs.json'; diff --git a/api_docs/kbn_sse_utils.mdx b/api_docs/kbn_sse_utils.mdx index 82d20eeab0386..df0cac9020ef9 100644 --- a/api_docs/kbn_sse_utils.mdx +++ b/api_docs/kbn_sse_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils title: "@kbn/sse-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils'] --- import kbnSseUtilsObj from './kbn_sse_utils.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_client.mdx b/api_docs/kbn_sse_utils_client.mdx index 1131acf7255fc..537ae588909f8 100644 --- a/api_docs/kbn_sse_utils_client.mdx +++ b/api_docs/kbn_sse_utils_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-client title: "@kbn/sse-utils-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-client plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-client'] --- import kbnSseUtilsClientObj from './kbn_sse_utils_client.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_server.mdx b/api_docs/kbn_sse_utils_server.mdx index dd9c7c826ea4f..d2677b6dff262 100644 --- a/api_docs/kbn_sse_utils_server.mdx +++ b/api_docs/kbn_sse_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-server title: "@kbn/sse-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-server plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-server'] --- import kbnSseUtilsServerObj from './kbn_sse_utils_server.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index ffc70515afe40..e49917c50de2e 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 74451f37443de..aaa8fa139e9e2 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index bc1f80582d681..5bc92ef039b8a 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_synthetics_e2e.mdx b/api_docs/kbn_synthetics_e2e.mdx index 76a5fdac59644..c2f4af390f879 100644 --- a/api_docs/kbn_synthetics_e2e.mdx +++ b/api_docs/kbn_synthetics_e2e.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-e2e title: "@kbn/synthetics-e2e" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-e2e plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-e2e'] --- import kbnSyntheticsE2eObj from './kbn_synthetics_e2e.devdocs.json'; diff --git a/api_docs/kbn_synthetics_private_location.mdx b/api_docs/kbn_synthetics_private_location.mdx index 99cc4a805ccc4..d780c3b376bdb 100644 --- a/api_docs/kbn_synthetics_private_location.mdx +++ b/api_docs/kbn_synthetics_private_location.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-private-location title: "@kbn/synthetics-private-location" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-private-location plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-private-location'] --- import kbnSyntheticsPrivateLocationObj from './kbn_synthetics_private_location.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index 119b3629ba264..e2754d25307e3 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 10160e866bd80..36275bc25a90b 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_eui_helpers.mdx b/api_docs/kbn_test_eui_helpers.mdx index 584bafc9870a1..756416fecc44f 100644 --- a/api_docs/kbn_test_eui_helpers.mdx +++ b/api_docs/kbn_test_eui_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-eui-helpers title: "@kbn/test-eui-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-eui-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-eui-helpers'] --- import kbnTestEuiHelpersObj from './kbn_test_eui_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index 39c0dfceb2256..8c49ad33cdf67 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index 2723102649c48..eca9a114cc2b8 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_timerange.devdocs.json b/api_docs/kbn_timerange.devdocs.json index 6c66de05c49d4..2e76a1d85d8d7 100644 --- a/api_docs/kbn_timerange.devdocs.json +++ b/api_docs/kbn_timerange.devdocs.json @@ -29,7 +29,7 @@ "signature": [ "({ from, to }: { from: string; to: string; }) => { startDate: string; endDate: string; }" ], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -40,7 +40,7 @@ "tags": [], "label": "{ from, to }", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -51,7 +51,7 @@ "tags": [], "label": "from", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false }, @@ -62,7 +62,7 @@ "tags": [], "label": "to", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false } @@ -82,7 +82,7 @@ "signature": [ "({ from, to }: { from: string; to: string; }) => { startDate: number; endDate: number; }" ], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -93,7 +93,7 @@ "tags": [], "label": "{ from, to }", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -104,7 +104,7 @@ "tags": [], "label": "from", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false }, @@ -115,7 +115,7 @@ "tags": [], "label": "to", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false } @@ -135,7 +135,7 @@ "signature": [ "(epochDate: number) => number" ], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -149,7 +149,7 @@ "signature": [ "number" ], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -168,7 +168,7 @@ "signature": [ "({\n startDate,\n endDate,\n}: { startDate: number; endDate: number; }) => number" ], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -179,7 +179,7 @@ "tags": [], "label": "{\n startDate,\n endDate,\n}", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -190,7 +190,7 @@ "tags": [], "label": "startDate", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false }, @@ -201,7 +201,7 @@ "tags": [], "label": "endDate", "description": [], - "path": "packages/kbn-timerange/src/index.ts", + "path": "src/platform/packages/shared/kbn-timerange/src/index.ts", "deprecated": false, "trackAdoption": false } diff --git a/api_docs/kbn_timerange.mdx b/api_docs/kbn_timerange.mdx index 41cf6ffa27ca4..8e25a701b56d0 100644 --- a/api_docs/kbn_timerange.mdx +++ b/api_docs/kbn_timerange.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-timerange title: "@kbn/timerange" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/timerange plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/timerange'] --- import kbnTimerangeObj from './kbn_timerange.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index 8542293f868d3..331282c02dbbe 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_transpose_utils.mdx b/api_docs/kbn_transpose_utils.mdx index 1a9bd959ba54c..149b21098ac1b 100644 --- a/api_docs/kbn_transpose_utils.mdx +++ b/api_docs/kbn_transpose_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-transpose-utils title: "@kbn/transpose-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/transpose-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/transpose-utils'] --- import kbnTransposeUtilsObj from './kbn_transpose_utils.devdocs.json'; diff --git a/api_docs/kbn_triggers_actions_ui_types.mdx b/api_docs/kbn_triggers_actions_ui_types.mdx index a3563ca688f67..633543578b2fc 100644 --- a/api_docs/kbn_triggers_actions_ui_types.mdx +++ b/api_docs/kbn_triggers_actions_ui_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-triggers-actions-ui-types title: "@kbn/triggers-actions-ui-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/triggers-actions-ui-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/triggers-actions-ui-types'] --- import kbnTriggersActionsUiTypesObj from './kbn_triggers_actions_ui_types.devdocs.json'; diff --git a/api_docs/kbn_try_in_console.mdx b/api_docs/kbn_try_in_console.mdx index b97f412784e60..c3f0ee486880b 100644 --- a/api_docs/kbn_try_in_console.mdx +++ b/api_docs/kbn_try_in_console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-try-in-console title: "@kbn/try-in-console" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/try-in-console plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/try-in-console'] --- import kbnTryInConsoleObj from './kbn_try_in_console.devdocs.json'; diff --git a/api_docs/kbn_ts_projects.mdx b/api_docs/kbn_ts_projects.mdx index 333d79f187bd7..20ece0b1a7cac 100644 --- a/api_docs/kbn_ts_projects.mdx +++ b/api_docs/kbn_ts_projects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ts-projects title: "@kbn/ts-projects" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ts-projects plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ts-projects'] --- import kbnTsProjectsObj from './kbn_ts_projects.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index a67ccfcd3030f..a0fc2ba136507 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_actions_browser.mdx b/api_docs/kbn_ui_actions_browser.mdx index 420d2224655f8..4d9dac7a88580 100644 --- a/api_docs/kbn_ui_actions_browser.mdx +++ b/api_docs/kbn_ui_actions_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-actions-browser title: "@kbn/ui-actions-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-actions-browser plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-actions-browser'] --- import kbnUiActionsBrowserObj from './kbn_ui_actions_browser.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index ea743f208e0a0..f7a45618c3b3b 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 006748a3960a4..723fe7c11f94a 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_unified_data_table.mdx b/api_docs/kbn_unified_data_table.mdx index 20ffde5092c8a..b44d39ccd4aeb 100644 --- a/api_docs/kbn_unified_data_table.mdx +++ b/api_docs/kbn_unified_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-data-table title: "@kbn/unified-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-data-table plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-data-table'] --- import kbnUnifiedDataTableObj from './kbn_unified_data_table.devdocs.json'; diff --git a/api_docs/kbn_unified_doc_viewer.mdx b/api_docs/kbn_unified_doc_viewer.mdx index 4dcc328514cdf..8b95eb6aa0c42 100644 --- a/api_docs/kbn_unified_doc_viewer.mdx +++ b/api_docs/kbn_unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-doc-viewer title: "@kbn/unified-doc-viewer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-doc-viewer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-doc-viewer'] --- import kbnUnifiedDocViewerObj from './kbn_unified_doc_viewer.devdocs.json'; diff --git a/api_docs/kbn_unified_field_list.mdx b/api_docs/kbn_unified_field_list.mdx index 04c7751ddbe42..c77f07871cbfe 100644 --- a/api_docs/kbn_unified_field_list.mdx +++ b/api_docs/kbn_unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-field-list title: "@kbn/unified-field-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-field-list plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-field-list'] --- import kbnUnifiedFieldListObj from './kbn_unified_field_list.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_badge.mdx b/api_docs/kbn_unsaved_changes_badge.mdx index cc6fa0359dcc0..389d87a2373f1 100644 --- a/api_docs/kbn_unsaved_changes_badge.mdx +++ b/api_docs/kbn_unsaved_changes_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-badge title: "@kbn/unsaved-changes-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-badge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-badge'] --- import kbnUnsavedChangesBadgeObj from './kbn_unsaved_changes_badge.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_prompt.mdx b/api_docs/kbn_unsaved_changes_prompt.mdx index 85554da61a735..3ba67a041716a 100644 --- a/api_docs/kbn_unsaved_changes_prompt.mdx +++ b/api_docs/kbn_unsaved_changes_prompt.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-prompt title: "@kbn/unsaved-changes-prompt" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-prompt plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-prompt'] --- import kbnUnsavedChangesPromptObj from './kbn_unsaved_changes_prompt.devdocs.json'; diff --git a/api_docs/kbn_use_tracked_promise.mdx b/api_docs/kbn_use_tracked_promise.mdx index 3e8acb5072d16..714d79b2a6aa3 100644 --- a/api_docs/kbn_use_tracked_promise.mdx +++ b/api_docs/kbn_use_tracked_promise.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-use-tracked-promise title: "@kbn/use-tracked-promise" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/use-tracked-promise plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/use-tracked-promise'] --- import kbnUseTrackedPromiseObj from './kbn_use_tracked_promise.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index 61d56ff7782c0..8b097b9222a27 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index d86582f789dbb..931d03a9d489a 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 857414d1af090..759c705e7e27c 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index 68320ff80ec8f..2008769125401 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_visualization_ui_components.devdocs.json b/api_docs/kbn_visualization_ui_components.devdocs.json index f6e3a7ee20b24..07a3804e0fcbe 100644 --- a/api_docs/kbn_visualization_ui_components.devdocs.json +++ b/api_docs/kbn_visualization_ui_components.devdocs.json @@ -315,7 +315,9 @@ "label": "DragDropBuckets", "description": [], "signature": [ - "({\n items,\n onDragStart,\n onDragEnd,\n droppableId,\n children,\n bgColor,\n}: { items: T[]; droppableId: string; children: React.ReactElement>[]; onDragStart?: (() => void) | undefined; onDragEnd?: ((items: T[]) => void) | undefined; bgColor?: \"warning\" | \"success\" | \"plain\" | \"subdued\" | \"primary\" | \"accent\" | \"accentSecondary\" | \"danger\" | \"transparent\" | undefined; }) => React.JSX.Element" + "({\n items,\n onDragStart,\n onDragEnd,\n droppableId,\n children,\n bgColor,\n}: { items: T[]; droppableId: string; children: React.ReactElement>[]; onDragStart?: (() => void) | undefined; onDragEnd?: ((items: T[]) => void) | undefined; bgColor?: ", + "PanelColor", + " | undefined; }) => React.JSX.Element" ], "path": "packages/kbn-visualization-ui-components/components/drag_drop_bucket/buckets.tsx", "deprecated": false, @@ -427,7 +429,8 @@ "label": "bgColor", "description": [], "signature": [ - "\"warning\" | \"success\" | \"plain\" | \"subdued\" | \"primary\" | \"accent\" | \"accentSecondary\" | \"danger\" | \"transparent\" | undefined" + "PanelColor", + " | undefined" ], "path": "packages/kbn-visualization-ui-components/components/drag_drop_bucket/buckets.tsx", "deprecated": false, diff --git a/api_docs/kbn_visualization_ui_components.mdx b/api_docs/kbn_visualization_ui_components.mdx index 329170a3058f7..033de353e4023 100644 --- a/api_docs/kbn_visualization_ui_components.mdx +++ b/api_docs/kbn_visualization_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-ui-components title: "@kbn/visualization-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-ui-components plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-ui-components'] --- import kbnVisualizationUiComponentsObj from './kbn_visualization_ui_components.devdocs.json'; diff --git a/api_docs/kbn_visualization_utils.mdx b/api_docs/kbn_visualization_utils.mdx index a2688ef8a576c..a202a53d56c9a 100644 --- a/api_docs/kbn_visualization_utils.mdx +++ b/api_docs/kbn_visualization_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-utils title: "@kbn/visualization-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-utils'] --- import kbnVisualizationUtilsObj from './kbn_visualization_utils.devdocs.json'; diff --git a/api_docs/kbn_xstate_utils.devdocs.json b/api_docs/kbn_xstate_utils.devdocs.json index 8f93144f2b47a..645e4a57de806 100644 --- a/api_docs/kbn_xstate_utils.devdocs.json +++ b/api_docs/kbn_xstate_utils.devdocs.json @@ -13,7 +13,7 @@ "signature": [ "() => (inspectionEvent: InspectionEvent) => void" ], - "path": "packages/kbn-xstate-utils/src/console_inspector.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/console_inspector.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -40,7 +40,7 @@ }, "" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -54,7 +54,7 @@ "signature": [ "boolean" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -73,7 +73,7 @@ "signature": [ "() => boolean | object" ], - "path": "packages/kbn-xstate-utils/src/dev_tools.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/dev_tools.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -90,7 +90,7 @@ "signature": [ "() => boolean" ], - "path": "packages/kbn-xstate-utils/src/dev_tools.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/dev_tools.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -121,7 +121,7 @@ "PureAction", "" ], - "path": "packages/kbn-xstate-utils/src/actions.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/actions.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -137,7 +137,7 @@ "ActorRef", "" ], - "path": "packages/kbn-xstate-utils/src/actions.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/actions.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -165,7 +165,7 @@ }, "" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -181,7 +181,7 @@ "Subscribable", "" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -203,7 +203,7 @@ "BaseActionObject", ">) => void" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -218,7 +218,7 @@ "Expr", "" ], - "path": "packages/kbn-xstate-utils/src/notification_channel.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/notification_channel.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -252,7 +252,7 @@ "State", "<(TTypestate extends any ? { value: TStateValue; context: any; } extends TTypestate ? TTypestate : never : never)[\"context\"], TEvent, TStateSchema, TTypestate, TResolvedTypesMeta> & { value: TStateValue; } : never" ], - "path": "packages/kbn-xstate-utils/src/types.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -278,7 +278,7 @@ "State", "<(TTypestate extends any ? { value: TStateValue; context: any; } extends TTypestate ? TTypestate : never : never)[\"context\"], TEvent, TStateSchema, TTypestate, TResolvedTypesMeta> & { value: TStateValue; } : never" ], - "path": "packages/kbn-xstate-utils/src/types.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -293,7 +293,7 @@ "signature": [ "{ [P in Exclude]: T[P]; }" ], - "path": "packages/kbn-xstate-utils/src/types.ts", + "path": "src/platform/packages/shared/kbn-xstate-utils/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/kbn_xstate_utils.mdx b/api_docs/kbn_xstate_utils.mdx index cb5aa50f35f3f..f1b9b113b3559 100644 --- a/api_docs/kbn_xstate_utils.mdx +++ b/api_docs/kbn_xstate_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-xstate-utils title: "@kbn/xstate-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/xstate-utils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/xstate-utils'] --- import kbnXstateUtilsObj from './kbn_xstate_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 23e48415f5e9c..22206645d00e6 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kbn_zod.mdx b/api_docs/kbn_zod.mdx index f841426029a8a..a9d4124eaf6eb 100644 --- a/api_docs/kbn_zod.mdx +++ b/api_docs/kbn_zod.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod title: "@kbn/zod" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod'] --- import kbnZodObj from './kbn_zod.devdocs.json'; diff --git a/api_docs/kbn_zod_helpers.mdx b/api_docs/kbn_zod_helpers.mdx index 1ce9ec75a3287..90d3f12cf39b3 100644 --- a/api_docs/kbn_zod_helpers.mdx +++ b/api_docs/kbn_zod_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod-helpers title: "@kbn/zod-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod-helpers plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod-helpers'] --- import kbnZodHelpersObj from './kbn_zod_helpers.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index 02bd3d402a1fb..9a2bc703c91a9 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index 8cea617d7cc39..bfa6cee088998 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index 977c058caf68f..0896f63585488 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index c0f4259b92cbb..ae940cfebcf9d 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.devdocs.json b/api_docs/lens.devdocs.json index 846e8479c6c1b..2a22e3c4512cf 100644 --- a/api_docs/lens.devdocs.json +++ b/api_docs/lens.devdocs.json @@ -369,7 +369,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -559,7 +559,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -903,7 +903,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -1135,7 +1135,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -6678,7 +6678,7 @@ "\nReact component which can be used to embed a Lens visualization into another application.\nSee `x-pack/examples/embedded_lens_example` for exemplary usage.\n\nThis API might undergo breaking changes even in minor versions.\n" ], "signature": [ - "({ title, withDefaultActions, extraActions, showInspector, syncColors, syncCursor, syncTooltips, viewMode, id, query, filters, timeRange, disabledActions, searchSessionId, hidePanelTitles, ...props }: { id?: string | undefined; className?: string | undefined; style?: React.CSSProperties | undefined; title?: string | undefined; description?: string | undefined; viewMode?: ", + "({ title, withDefaultActions, extraActions, showInspector, syncColors, syncCursor, syncTooltips, viewMode, id, query, filters, timeRange, disabledActions, searchSessionId, forceDSL, hidePanelTitles, lastReloadRequestTime, ...props }: { id?: string | undefined; className?: string | undefined; style?: React.CSSProperties | undefined; title?: string | undefined; description?: string | undefined; viewMode?: ", { "pluginId": "@kbn/presentation-publishing", "scope": "public", @@ -6868,7 +6868,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", { "pluginId": "@kbn/core-saved-objects-common", "scope": "common", @@ -7667,7 +7667,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", { "pluginId": "@kbn/core-saved-objects-common", "scope": "common", @@ -8555,7 +8555,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -8807,7 +8807,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -16068,7 +16068,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", { "pluginId": "@kbn/core-saved-objects-common", "scope": "common", @@ -16852,7 +16852,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", { "pluginId": "@kbn/core-saved-objects-common", "scope": "common", @@ -17993,7 +17993,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -18183,7 +18183,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -18527,7 +18527,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -18759,7 +18759,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -19312,7 +19312,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; noPadding?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", + " | undefined; noPadding?: boolean | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", { "pluginId": "uiActions", "scope": "public", @@ -20113,7 +20113,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; noPadding?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", + " | undefined; noPadding?: boolean | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", { "pluginId": "uiActions", "scope": "public", @@ -20547,7 +20547,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -20737,7 +20737,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -21081,7 +21081,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -21313,7 +21313,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -21818,7 +21818,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; references: ", { "pluginId": "@kbn/core-saved-objects-common", "scope": "common", @@ -22611,7 +22611,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", + " | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; attributes: { title: string; description?: string | undefined; state: { datasourceStates: Record; visualization: unknown; query: ", { "pluginId": "@kbn/es-query", "scope": "common", @@ -22971,7 +22971,7 @@ "section": "def-common.KibanaExecutionContext", "text": "KibanaExecutionContext" }, - " | undefined; enhancements?: { dynamicActions: ", + " | undefined; forceDSL?: boolean | undefined; enhancements?: { dynamicActions: ", { "pluginId": "uiActionsEnhanced", "scope": "common", @@ -25235,7 +25235,7 @@ "section": "def-public.ViewMode", "text": "ViewMode" }, - " | undefined; noPadding?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", + " | undefined; noPadding?: boolean | undefined; forceDSL?: boolean | undefined; isNewPanel?: boolean | undefined; extraActions?: ", { "pluginId": "uiActions", "scope": "public", diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index f257bed151417..a3130d6727bf3 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index e987592f8d2a8..eedd2a7a6f9d0 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index 947c99a08d8df..eda0d7f46ccf0 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.devdocs.json b/api_docs/licensing.devdocs.json index f738e3bba61ea..e271795594f37 100644 --- a/api_docs/licensing.devdocs.json +++ b/api_docs/licensing.devdocs.json @@ -822,10 +822,6 @@ "plugin": "logstash", "path": "x-pack/plugins/logstash/public/plugin.ts" }, - { - "plugin": "slo", - "path": "x-pack/solutions/observability/plugins/slo/public/plugin.ts" - }, { "plugin": "crossClusterReplication", "path": "x-pack/platform/plugins/private/cross_cluster_replication/public/plugin.ts" @@ -853,6 +849,10 @@ { "plugin": "searchprofiler", "path": "x-pack/platform/plugins/shared/searchprofiler/public/plugin.ts" + }, + { + "plugin": "slo", + "path": "x-pack/solutions/observability/plugins/slo/public/plugin.ts" } ] }, diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index df59380b7bf81..aac1ffd7cbfc3 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/links.mdx b/api_docs/links.mdx index 8850c8a308aca..8e95012951604 100644 --- a/api_docs/links.mdx +++ b/api_docs/links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/links title: "links" image: https://source.unsplash.com/400x175/?github description: API docs for the links plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'links'] --- import linksObj from './links.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index bb44106ddc1ec..c41a5399be82d 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/llm_tasks.mdx b/api_docs/llm_tasks.mdx index 90b54871090b4..a1bac878a2e4c 100644 --- a/api_docs/llm_tasks.mdx +++ b/api_docs/llm_tasks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/llmTasks title: "llmTasks" image: https://source.unsplash.com/400x175/?github description: API docs for the llmTasks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'llmTasks'] --- import llmTasksObj from './llm_tasks.devdocs.json'; diff --git a/api_docs/logs_data_access.devdocs.json b/api_docs/logs_data_access.devdocs.json index fcbe2a1ad9a45..5cf297c8841db 100644 --- a/api_docs/logs_data_access.devdocs.json +++ b/api_docs/logs_data_access.devdocs.json @@ -15,7 +15,7 @@ "LogSourcesService", "; }>>" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/hooks/use_log_sources.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/hooks/use_log_sources.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -61,7 +61,7 @@ "signature": [ "({ isLoading, logSourcesValue, getUrlForApp, title }: { isLoading: boolean; logSourcesValue: string; getUrlForApp: (appId: string, options?: { path?: string | undefined; absolute?: boolean | undefined; deepLinkId?: string | undefined; } | undefined) => string; title?: string | undefined; }) => React.JSX.Element" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/components/logs_sources_setting.tsx", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/components/logs_sources_setting.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -75,7 +75,7 @@ "signature": [ "{ isLoading: boolean; logSourcesValue: string; getUrlForApp: (appId: string, options?: { path?: string | undefined; absolute?: boolean | undefined; deepLinkId?: string | undefined; } | undefined) => string; title?: string | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/components/logs_sources_setting.tsx", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/components/logs_sources_setting.tsx", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -96,7 +96,7 @@ "LogSource", "[]; combinedIndices: string; }" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/hooks/use_log_sources.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/hooks/use_log_sources.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -118,7 +118,7 @@ "signature": [ "void" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/plugin.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/plugin.ts", "deprecated": false, "trackAdoption": false, "lifecycle": "setup", @@ -136,7 +136,7 @@ "LogSourcesService", "; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/public/plugin.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/public/plugin.ts", "deprecated": false, "trackAdoption": false, "lifecycle": "start", @@ -154,7 +154,7 @@ "tags": [], "label": "LogsRatesMetrics", "description": [], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -165,7 +165,7 @@ "tags": [], "label": "logRatePerMinute", "description": [], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts", "deprecated": false, "trackAdoption": false }, @@ -179,7 +179,7 @@ "signature": [ "number | null" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts", "deprecated": false, "trackAdoption": false } @@ -193,7 +193,7 @@ "tags": [], "label": "LogsRatesServiceReturnType", "description": [], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -214,7 +214,7 @@ "text": "LogsRatesMetrics" } ], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/services/get_logs_rates_service/index.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/services/get_logs_rates_service/index.ts", "deprecated": false, "trackAdoption": false } @@ -235,7 +235,7 @@ "signature": [ "void" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/plugin.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/plugin.ts", "deprecated": false, "trackAdoption": false, "lifecycle": "setup", @@ -289,7 +289,7 @@ "LogSourcesService", ">; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_data_access/server/plugin.ts", + "path": "x-pack/platform/plugins/shared/logs_data_access/server/plugin.ts", "deprecated": false, "trackAdoption": false, "lifecycle": "start", diff --git a/api_docs/logs_data_access.mdx b/api_docs/logs_data_access.mdx index 74ebbfe93624b..718062aa0023b 100644 --- a/api_docs/logs_data_access.mdx +++ b/api_docs/logs_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsDataAccess title: "logsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the logsDataAccess plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsDataAccess'] --- import logsDataAccessObj from './logs_data_access.devdocs.json'; diff --git a/api_docs/logs_explorer.devdocs.json b/api_docs/logs_explorer.devdocs.json index d05a47b7590d0..6d24a51787f6e 100644 --- a/api_docs/logs_explorer.devdocs.json +++ b/api_docs/logs_explorer.devdocs.json @@ -21,7 +21,7 @@ }, ") => string[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -41,7 +41,7 @@ "text": "DisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -68,7 +68,7 @@ }, ") => string[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -88,7 +88,7 @@ "text": "DisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -125,7 +125,7 @@ }, "[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -139,7 +139,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -161,7 +161,7 @@ }, "[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -177,7 +177,7 @@ "ControlOptions", " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -212,7 +212,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -232,7 +232,7 @@ "text": "DisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/utils/convert_discover_app_state.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/utils/convert_discover_app_state.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -250,7 +250,7 @@ "tags": [], "label": "LogsExplorerController", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -264,7 +264,7 @@ "signature": [ "{}" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -284,7 +284,7 @@ "text": "LogsExplorerCustomizations" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -298,7 +298,7 @@ "signature": [ "IDatasetsClient" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -328,7 +328,7 @@ }, "; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -345,7 +345,7 @@ "LogsExplorerPublicEvent", ">" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -474,7 +474,7 @@ "ServiceMap", ">>" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -497,7 +497,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false }, @@ -630,7 +630,7 @@ "ServiceMap", ">>" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false } @@ -644,7 +644,7 @@ "tags": [], "label": "LogsExplorerCustomizationEvents", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -659,7 +659,7 @@ "OnUknownDataViewSelectionHandler", " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts", "deprecated": false, "trackAdoption": false } @@ -673,7 +673,7 @@ "tags": [], "label": "LogsExplorerCustomizations", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -694,7 +694,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/customizations/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/customizations/types.ts", "deprecated": false, "trackAdoption": false } @@ -730,7 +730,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/create_controller.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/create_controller.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -753,7 +753,7 @@ }, " | undefined; initialState?: InitialState | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/create_controller.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/create_controller.ts", "deprecated": false, "trackAdoption": false } @@ -870,7 +870,7 @@ "WithDiscoverStateContainer", ")" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -910,7 +910,7 @@ "IndexPatternBrand", ">; } & { title?: string | undefined; }; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -950,7 +950,7 @@ "IndexPatternBrand", ">; } & { title?: string | undefined; }; }; } | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -973,7 +973,7 @@ "text": "AllDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/state_machines/logs_explorer_controller/src/default_all_selection.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -986,7 +986,7 @@ "tags": [], "label": "LogsExplorerPluginSetup", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1000,7 +1000,7 @@ "signature": [ "LogsExplorerLocators" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -1015,7 +1015,7 @@ "tags": [], "label": "LogsExplorerPluginStart", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1033,7 +1033,7 @@ "LogsExplorerProps", ">" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -1063,7 +1063,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/types.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1086,7 +1086,7 @@ }, " | undefined; initialState?: InitialState | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/public/controller/create_controller.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/public/controller/create_controller.ts", "deprecated": false, "trackAdoption": false } @@ -1125,7 +1125,7 @@ " implements ", "DataSourceSelectionStrategy" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1139,7 +1139,7 @@ "signature": [ "\"all\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1155,7 +1155,7 @@ "Dataset", "; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1170,7 +1170,7 @@ "() => ", "DataViewSpecWithId" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1186,7 +1186,7 @@ "signature": [ "() => { selectionType: \"all\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1202,7 +1202,7 @@ "signature": [ "() => { selectionType: \"all\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1225,7 +1225,7 @@ "text": "AllDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1236,7 +1236,7 @@ "tags": [], "label": "{ indices }", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1247,7 +1247,7 @@ "tags": [], "label": "indices", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/all_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/all_dataset_selection.ts", "deprecated": false, "trackAdoption": false } @@ -1277,7 +1277,7 @@ " implements ", "DataSourceSelectionStrategy" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1291,7 +1291,7 @@ "signature": [ "\"dataView\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1307,7 +1307,7 @@ "DataViewDescriptor", "; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1322,7 +1322,7 @@ "() => ", "DataViewSpecWithId" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1338,7 +1338,7 @@ "signature": [ "() => { selectionType: \"dataView\"; selection: { dataView: { id: string; dataType: \"unknown\" | \"logs\" | \"unresolved\" | undefined; name: string | undefined; title: string | undefined; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1361,7 +1361,7 @@ "text": "DataViewSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1375,7 +1375,7 @@ "signature": [ "{ dataView: { id: string; } & { dataType?: \"unknown\" | \"logs\" | \"unresolved\" | undefined; kibanaSpaces?: string[] | undefined; name?: string | undefined; title?: string | undefined; type?: string | undefined; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1402,7 +1402,7 @@ "text": "DataViewSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1416,7 +1416,7 @@ "signature": [ "DataViewDescriptor" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/data_view_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/data_view_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1445,7 +1445,7 @@ " implements ", "DataSourceSelectionStrategy" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1459,7 +1459,7 @@ "signature": [ "\"unresolved\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1475,7 +1475,7 @@ "Dataset", "; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false }, @@ -1490,7 +1490,7 @@ "() => ", "DataViewSpecWithId" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1510,7 +1510,7 @@ "IndexPatternBrand", ">; title: string; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -1537,7 +1537,7 @@ "text": "UnresolvedDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1555,7 +1555,7 @@ "IndexPatternBrand", ">; } & { title?: string | undefined; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1582,7 +1582,7 @@ "text": "UnresolvedDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1596,7 +1596,7 @@ "signature": [ "Dataset" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/unresolved_dataset_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1660,7 +1660,7 @@ "text": "DataViewSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1682,7 +1682,7 @@ "IndexPatternBrand", ">; } & { title?: string | undefined; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1703,7 +1703,7 @@ "text": "AllDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/hydrate_data_source_selection.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1723,7 +1723,7 @@ "(input: any) => input is ", "DatasetSelection" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1737,7 +1737,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1757,7 +1757,7 @@ "(input: any) => input is ", "DataSourceSelection" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1771,7 +1771,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1797,7 +1797,7 @@ "text": "DataViewSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1811,7 +1811,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1837,7 +1837,7 @@ "text": "UnresolvedDatasetSelection" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1851,7 +1851,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/index.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/index.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1869,7 +1869,7 @@ "tags": [], "label": "ChartDisplayOptions", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1883,7 +1883,7 @@ "signature": [ "string | null" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false } @@ -1897,7 +1897,7 @@ "tags": [], "label": "DisplayOptions", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1917,7 +1917,7 @@ "text": "GridDisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false }, @@ -1937,7 +1937,7 @@ "text": "ChartDisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false } @@ -1951,7 +1951,7 @@ "tags": [], "label": "GridDisplayOptions", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1972,7 +1972,7 @@ }, "[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false }, @@ -1992,7 +1992,7 @@ "text": "GridRowsDisplayOptions" } ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false } @@ -2006,7 +2006,7 @@ "tags": [], "label": "GridRowsDisplayOptions", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2017,7 +2017,7 @@ "tags": [], "label": "rowHeight", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2028,7 +2028,7 @@ "tags": [], "label": "rowsPerPage", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false } @@ -2042,7 +2042,7 @@ "tags": [], "label": "PartialDisplayOptions", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2072,7 +2072,7 @@ }, "> | undefined; }> | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2094,7 +2094,7 @@ }, "> | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false } @@ -2114,7 +2114,7 @@ "signature": [ "\"data_stream.namespace\"[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2129,7 +2129,7 @@ "signature": [ "{ readonly NAMESPACE: \"data_stream.namespace\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2144,7 +2144,7 @@ "signature": [ "\"content\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2159,7 +2159,7 @@ "signature": [ "{ [x: string]: { order: number; type: string; } & { width?: \"small\" | \"medium\" | \"large\" | undefined; grow?: boolean | undefined; dataViewId?: string | undefined; fieldName?: string | undefined; exclude?: boolean | undefined; existsSelected?: boolean | undefined; title?: string | undefined; selectedOptions?: string[] | undefined; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2182,7 +2182,7 @@ "IndexPatternBrand", ">; } & { title?: string | undefined; }; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2199,7 +2199,7 @@ " | ", "SmartFieldGridColumnOptions" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2214,7 +2214,7 @@ "signature": [ "{ breakdownField?: string | null | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2245,7 +2245,7 @@ }, "> | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2260,7 +2260,7 @@ "signature": [ "{ rowHeight?: number | undefined; rowsPerPage?: number | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/display_options/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/display_options/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2277,7 +2277,7 @@ "signature": [ "{ readonly NAMESPACE: \"data_stream.namespace\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2289,7 +2289,7 @@ "tags": [], "label": "CONTENT_FIELD_CONFIGURATION", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2303,7 +2303,7 @@ "signature": [ "\"smart-field\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2317,7 +2317,7 @@ "signature": [ "\"content\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2331,7 +2331,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false } @@ -2345,7 +2345,7 @@ "tags": [], "label": "controlPanelConfigs", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2356,7 +2356,7 @@ "tags": [], "label": "[availableControlsPanels.NAMESPACE]", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2367,7 +2367,7 @@ "tags": [], "label": "order", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false }, @@ -2381,7 +2381,7 @@ "signature": [ "\"medium\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false }, @@ -2395,7 +2395,7 @@ "signature": [ "false" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false }, @@ -2406,7 +2406,7 @@ "tags": [], "label": "type", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false }, @@ -2420,7 +2420,7 @@ "signature": [ "\"data_stream.namespace\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false }, @@ -2431,7 +2431,7 @@ "tags": [], "label": "title", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/available_control_panels.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/available_control_panels.ts", "deprecated": false, "trackAdoption": false } @@ -2491,7 +2491,7 @@ "StringC", ">; }>]>>" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/control_panels/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/control_panels/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2603,7 +2603,7 @@ "StringC", "; }>]>>; }>]>; }>]>" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2615,7 +2615,7 @@ "tags": [], "label": "RESOURCE_FIELD_CONFIGURATION", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2629,7 +2629,7 @@ "signature": [ "\"smart-field\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2643,7 +2643,7 @@ "signature": [ "\"resource\"" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2657,7 +2657,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2668,7 +2668,7 @@ "tags": [], "label": "width", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false } @@ -2720,7 +2720,7 @@ "StringC", "; }>]>>; }>]>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/data_source_selection/types.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/data_source_selection/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -2732,7 +2732,7 @@ "tags": [], "label": "SMART_FALLBACK_FIELDS", "description": [], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2746,7 +2746,7 @@ "signature": [ "SmartFieldGridColumnOptions" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false }, @@ -2760,7 +2760,7 @@ "signature": [ "SmartFieldGridColumnOptions" ], - "path": "x-pack/plugins/observability_solution/logs_explorer/common/constants.ts", + "path": "x-pack/solutions/observability/plugins/logs_explorer/common/constants.ts", "deprecated": false, "trackAdoption": false } diff --git a/api_docs/logs_explorer.mdx b/api_docs/logs_explorer.mdx index 80a917d5a01f5..606fd570df16b 100644 --- a/api_docs/logs_explorer.mdx +++ b/api_docs/logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsExplorer title: "logsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the logsExplorer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsExplorer'] --- import logsExplorerObj from './logs_explorer.devdocs.json'; diff --git a/api_docs/logs_shared.devdocs.json b/api_docs/logs_shared.devdocs.json index f0c1e97569f1b..e75cb78569575 100644 --- a/api_docs/logs_shared.devdocs.json +++ b/api_docs/logs_shared.devdocs.json @@ -13,7 +13,7 @@ "signature": [ "({ logViewKey, sourceIdKey, toastsService, urlStateStorage, }: LogViewUrlStateDependencies) => { logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; } | null" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -27,7 +27,7 @@ "signature": [ "LogViewUrlStateDependencies" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -106,7 +106,7 @@ "LogViewEvent", ">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -120,7 +120,7 @@ "signature": [ "LogViewUrlStateDependencies" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -207,7 +207,7 @@ "LogViewEvent", ">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -218,7 +218,7 @@ "tags": [], "label": "{\n urlStateStorage,\n logViewKey = defaultLogViewKey,\n }", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -238,7 +238,7 @@ "text": "IKbnUrlStateStorage" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false }, @@ -252,7 +252,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false } @@ -280,7 +280,7 @@ }, " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -314,7 +314,7 @@ "LogEntryColumnWidth", "; 'data-test-subj'?: string | undefined; } & { children?: React.ReactNode; } & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -346,7 +346,7 @@ "signature": [ "React.ForwardRefExoticComponent & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -394,7 +394,7 @@ }, " | undefined; } & { children?: React.ReactNode; } & { as?: React.ComponentType | keyof JSX.IntrinsicElements | undefined; forwardedAs?: React.ComponentType | keyof JSX.IntrinsicElements | undefined; }, \"ref\">) & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -428,7 +428,7 @@ "LogEntryContextMenuProps", " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -462,7 +462,7 @@ "LogEntryFieldColumnProps", " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -496,7 +496,7 @@ "LogEntryFlyoutProps", " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -530,7 +530,7 @@ "LogEntryMessageColumnProps", " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -578,7 +578,7 @@ }, " | undefined; } & { children?: React.ReactNode; } & { as?: React.ComponentType | keyof JSX.IntrinsicElements | undefined; forwardedAs?: React.ComponentType | keyof JSX.IntrinsicElements | undefined; }, \"ref\">) & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -612,7 +612,7 @@ "LogEntryTimestampColumnProps", " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -644,7 +644,7 @@ "signature": [ "React.FunctionComponent>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -694,7 +694,7 @@ "LogStreamPageCallbacks", "; }>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/use_log_position.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/use_log_position.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -748,7 +748,7 @@ }, " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -780,7 +780,7 @@ "signature": [ "React.FunctionComponent>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1004,7 +1004,7 @@ "LogViewEvent", "> | undefined; }>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1062,7 +1062,7 @@ "CommonEuiButtonEmptyProps", " & { href?: string | undefined; onClick?: React.MouseEventHandler | undefined; } & React.AnchorHTMLAttributes), \"size\" | \"flush\" | \"href\"> & { testSubject: string; } & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1104,7 +1104,7 @@ }, ">, \"ref\"> & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1192,7 +1192,7 @@ "LogViewEvent", ") => void" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1206,7 +1206,7 @@ "signature": [ "LogViewUrlStateDependencies" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/url_state_storage_service.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -1241,7 +1241,7 @@ }, "; CharacterDimensionsProbe: () => React.JSX.Element; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -1252,7 +1252,7 @@ "tags": [], "label": "{\n columnConfigurations,\n scale,\n timeFormat = 'time',\n}", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -1267,7 +1267,7 @@ "LogColumnRenderConfiguration", "[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -1281,7 +1281,7 @@ "signature": [ "\"small\" | \"medium\" | \"large\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -1296,7 +1296,7 @@ "TimeFormat", " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false } @@ -1408,7 +1408,7 @@ }, " | null; hasPreviousHighlight: boolean; hasNextHighlight: boolean; goToPreviousHighlight: () => void; goToNextHighlight: () => void; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_highlights/log_highlights.tsx", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1426,7 +1426,7 @@ "() => DateRange & { targetPosition: TimeKeyOrNull; isStreaming: boolean; firstVisiblePosition: TimeKeyOrNull; pagesBeforeStart: number; pagesAfterEnd: number; visibleMidpoint: TimeKeyOrNull; visibleMidpointTime: number | null; visibleTimeInterval: { start: number; end: number; } | null; } & ", "LogPositionCallbacks" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_position/use_log_position.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_position/use_log_position.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1459,7 +1459,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]; topCursor: { time: string; tiebreaker: number; } | null; bottomCursor: { time: string; tiebreaker: number; } | null; hasMoreBefore: boolean; hasMoreAfter: boolean; lastLoadedTime?: Date | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_stream/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_stream/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -1946,7 +1946,7 @@ "ServiceMap", ">>; update: (logViewAttributes: Partial<{ name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }>) => Promise; changeLogViewReference: (logViewReference: { logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }) => void; revertToDefaultLogView: () => void; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1957,7 +1957,7 @@ "tags": [], "label": "{\n initialLogViewReference,\n logViews,\n useDevTools = isDevMode(),\n initializeFromUrl,\n updateContextInUrl,\n listenForUrlChanges,\n}", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -1971,7 +1971,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; } | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -1985,7 +1985,7 @@ "signature": [ "ILogViewsClient" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -1999,7 +1999,7 @@ "signature": [ "boolean | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -2072,7 +2072,7 @@ "LogViewEvent", "> | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -2142,7 +2142,7 @@ "LogViewEvent", ") => void) | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -2215,7 +2215,7 @@ "LogViewEvent", "> | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false } @@ -2527,7 +2527,7 @@ "ServiceMap", ">>; update: (logViewAttributes: Partial<{ name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }>) => Promise; changeLogViewReference: (logViewReference: { logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }) => void; revertToDefaultLogView: () => void; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/hooks/use_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/hooks/use_log_view.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -2552,7 +2552,7 @@ }, " & React.RefAttributes<{}>>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/index.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/index.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -2583,7 +2583,7 @@ "tags": [], "label": "LogAIAssistantDocument", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -2605,7 +2605,7 @@ }, "; }[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", "deprecated": false, "trackAdoption": false } @@ -2619,7 +2619,7 @@ "tags": [], "label": "LogAIAssistantProps", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -2639,7 +2639,7 @@ "text": "ObservabilityAIAssistantPublicStart" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", "deprecated": false, "trackAdoption": false }, @@ -2660,7 +2660,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_ai_assistant/log_ai_assistant.tsx", "deprecated": false, "trackAdoption": false } @@ -2674,7 +2674,7 @@ "tags": [], "label": "LogEntryColumnWidths", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -2689,7 +2689,7 @@ "[columnId: string]: ", "LogEntryColumnWidth" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false }, @@ -2703,7 +2703,7 @@ "signature": [ "{ baseWidth: string; growWeight: number; shrinkWeight: number; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false } @@ -2717,7 +2717,7 @@ "tags": [], "label": "LogEntryStreamItem", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2731,7 +2731,7 @@ "signature": [ "\"logEntry\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts", "deprecated": false, "trackAdoption": false }, @@ -2761,7 +2761,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts", "deprecated": false, "trackAdoption": false }, @@ -2791,7 +2791,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/item.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/item.ts", "deprecated": false, "trackAdoption": false } @@ -2805,7 +2805,7 @@ "tags": [], "label": "LogsSharedClientSetupDeps", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2853,7 +2853,7 @@ }, ") => void; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -2867,7 +2867,7 @@ "tags": [], "label": "LogsSharedClientStartDeps", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -2890,7 +2890,7 @@ "ActiveCursor", "; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2910,7 +2910,7 @@ "text": "DataPublicPluginStart" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2930,7 +2930,7 @@ "text": "DataViewsServicePublic" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2950,7 +2950,7 @@ "text": "DiscoverSharedPublicStart" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2966,7 +2966,7 @@ "LogSourcesService", "; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -2987,7 +2987,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3027,7 +3027,7 @@ }, ">): void; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3115,7 +3115,7 @@ }, "; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3145,7 +3145,7 @@ }, "; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3165,7 +3165,7 @@ "text": "EmbeddableStart" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3185,7 +3185,7 @@ "text": "SavedSearchPublicPluginStart" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -3209,7 +3209,7 @@ }, " extends LogStreamContentProps" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -3223,7 +3223,7 @@ "signature": [ "string | number | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/log_stream/log_stream.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/log_stream/log_stream.tsx", "deprecated": false, "trackAdoption": false } @@ -3237,7 +3237,7 @@ "tags": [], "label": "LogViewContextWithError", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3251,7 +3251,7 @@ "signature": [ "Error" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts", "deprecated": false, "trackAdoption": false } @@ -3265,7 +3265,7 @@ "tags": [], "label": "LogViewContextWithResolvedLogView", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3285,7 +3285,7 @@ "text": "ResolvedLogView" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts", "deprecated": false, "trackAdoption": false } @@ -3299,7 +3299,7 @@ "tags": [], "label": "UpdatedDateRange", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -3313,7 +3313,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3327,7 +3327,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false } @@ -3341,7 +3341,7 @@ "tags": [], "label": "VisibleInterval", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false, "children": [ @@ -3352,7 +3352,7 @@ "tags": [], "label": "pagesBeforeStart", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3363,7 +3363,7 @@ "tags": [], "label": "pagesAfterEnd", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3377,7 +3377,7 @@ "signature": [ "({ time: string; tiebreaker: number; } & { gid?: string | undefined; fromAutoReload?: boolean | undefined; }) | null" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3391,7 +3391,7 @@ "signature": [ "({ time: string; tiebreaker: number; } & { gid?: string | undefined; fromAutoReload?: boolean | undefined; }) | null" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3405,7 +3405,7 @@ "signature": [ "({ time: string; tiebreaker: number; } & { gid?: string | undefined; fromAutoReload?: boolean | undefined; }) | null" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false }, @@ -3416,7 +3416,7 @@ "tags": [], "label": "fromScroll", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/scrollable_log_text_stream_view.tsx", "deprecated": false, "trackAdoption": false } @@ -3430,7 +3430,7 @@ "tags": [], "label": "WithSummaryProps", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/with_summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/with_summary.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3444,7 +3444,7 @@ "signature": [ "string | null" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/with_summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/with_summary.ts", "deprecated": false, "trackAdoption": false }, @@ -3459,7 +3459,7 @@ "(args: { buckets: { start: number; end: number; entriesCount: number; }[]; start: number | null; end: number | null; }) => ", "RendererResult" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/with_summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/with_summary.ts", "deprecated": false, "trackAdoption": false, "returnComment": [], @@ -3474,7 +3474,7 @@ "signature": [ "RenderArgs" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/utils/typed_react.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/utils/typed_react.tsx", "deprecated": false, "trackAdoption": false } @@ -3503,7 +3503,7 @@ "text": "iconColumnId" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logging/log_text_stream/log_entry_column.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3528,7 +3528,7 @@ }, " | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/components/logs_overview/logs_overview.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/components/logs_overview/logs_overview.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3543,7 +3543,7 @@ "signature": [ "{ start: number; end: number; entriesCount: number; }[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/containers/logs/log_summary/log_summary.tsx", + "path": "x-pack/platform/plugins/shared/logs_shared/public/containers/logs/log_summary/log_summary.tsx", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3623,7 +3623,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3646,7 +3646,7 @@ }, "; status: { index: \"unknown\" | \"missing\" | \"empty\" | \"available\"; }; } | { type: \"LOADING_LOG_VIEW_FAILED\"; error: Error; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/observability_logs/log_view_state/src/notifications.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/observability_logs/log_view_state/src/notifications.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -3660,7 +3660,7 @@ "tags": [], "label": "LogsSharedClientSetupExports", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3674,7 +3674,7 @@ "signature": [ "LogViewsServiceSetup" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3688,7 +3688,7 @@ "signature": [ "LogsSharedLocators" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -3703,7 +3703,7 @@ "tags": [], "label": "LogsSharedClientStartExports", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3717,7 +3717,7 @@ "signature": [ "LogViewsServiceStart" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false }, @@ -3739,7 +3739,7 @@ }, ", \"observabilityAIAssistant\">) => JSX.Element) | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3761,7 +3761,7 @@ }, ", \"observabilityAIAssistant\">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3781,7 +3781,7 @@ " & ", "SelfContainedLogsOverviewHelpers" ], - "path": "x-pack/plugins/observability_solution/logs_shared/public/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/public/types.ts", "deprecated": false, "trackAdoption": false } @@ -3816,7 +3816,7 @@ "text": "ILogsSharedLogEntriesDomain" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3830,7 +3830,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3844,7 +3844,7 @@ "signature": [ "LogEntriesAdapter" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3861,7 +3861,7 @@ "LogsSharedBackendLibs", ", \"framework\" | \"getStartServices\">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3905,7 +3905,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]; hasMoreBefore?: boolean | undefined; hasMoreAfter?: boolean | undefined; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -3925,7 +3925,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3940,7 +3940,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3955,7 +3955,7 @@ "signature": [ "LogEntriesAroundParams" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -3970,7 +3970,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4014,7 +4014,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]; hasMoreBefore?: boolean | undefined; hasMoreAfter?: boolean | undefined; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4034,7 +4034,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4049,7 +4049,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4064,7 +4064,7 @@ "signature": [ "LogEntriesParams" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4079,7 +4079,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4113,7 +4113,7 @@ }, " | undefined) => Promise<{ start: number; end: number; entriesCount: number; }[]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4133,7 +4133,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4148,7 +4148,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4163,7 +4163,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4178,7 +4178,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4193,7 +4193,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4215,7 +4215,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4249,7 +4249,7 @@ }, " | undefined) => Promise<({ start: number; end: number; entriesCount: number; } & { representativeKey: { time: string; tiebreaker: number; }; })[][]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4269,7 +4269,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4284,7 +4284,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4299,7 +4299,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4314,7 +4314,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4329,7 +4329,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4344,7 +4344,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4366,7 +4366,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4394,7 +4394,7 @@ "MappingRuntimeFields", ") => Promise" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4414,7 +4414,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4429,7 +4429,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4444,7 +4444,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4459,7 +4459,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4474,7 +4474,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4489,7 +4489,7 @@ "signature": [ "MappingRuntimeFields" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4510,7 +4510,7 @@ "tags": [], "label": "ILogsSharedLogEntriesDomain", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4550,7 +4550,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]; hasMoreBefore?: boolean | undefined; hasMoreAfter?: boolean | undefined; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4570,7 +4570,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4585,7 +4585,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4600,7 +4600,7 @@ "signature": [ "LogEntriesAroundParams" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4615,7 +4615,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4659,7 +4659,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }[]; hasMoreBefore?: boolean | undefined; hasMoreAfter?: boolean | undefined; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4679,7 +4679,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4694,7 +4694,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4709,7 +4709,7 @@ "signature": [ "LogEntriesParams" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4724,7 +4724,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[] | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4758,7 +4758,7 @@ }, " | undefined) => Promise<{ start: number; end: number; entriesCount: number; }[]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4778,7 +4778,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4793,7 +4793,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4808,7 +4808,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4823,7 +4823,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4838,7 +4838,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4860,7 +4860,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -4894,7 +4894,7 @@ }, " | undefined) => Promise<({ start: number; end: number; entriesCount: number; } & { representativeKey: { time: string; tiebreaker: number; }; })[][]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -4914,7 +4914,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4929,7 +4929,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4944,7 +4944,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4959,7 +4959,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4974,7 +4974,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -4989,7 +4989,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5011,7 +5011,7 @@ }, " | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -5039,7 +5039,7 @@ "MappingRuntimeFields", ") => Promise" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5059,7 +5059,7 @@ "text": "RequestHandlerContext" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5074,7 +5074,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5089,7 +5089,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5104,7 +5104,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5119,7 +5119,7 @@ "signature": [ "number" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5134,7 +5134,7 @@ "signature": [ "MappingRuntimeFields" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/lib/domains/log_entries_domain/log_entries_domain.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5158,7 +5158,7 @@ "signature": [ "\"infrastructure-monitoring-log-view\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/saved_objects/log_view/log_view_saved_object.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -5183,7 +5183,7 @@ " extends ", "LogsSharedDomainLibs" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5197,7 +5197,7 @@ "signature": [ "LogViewsServiceSetup" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false }, @@ -5213,7 +5213,7 @@ "UsageCollector", ") => void" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5227,7 +5227,7 @@ "signature": [ "UsageCollector" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5246,7 +5246,7 @@ "tags": [], "label": "LogsSharedPluginStart", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5260,7 +5260,7 @@ "signature": [ "LogViewsServiceStart" ], - "path": "x-pack/plugins/observability_solution/logs_shared/server/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/server/types.ts", "deprecated": false, "trackAdoption": false } @@ -5288,7 +5288,7 @@ }, " extends Error" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5302,7 +5302,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5316,7 +5316,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5331,7 +5331,7 @@ "signature": [ "Error | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -5359,7 +5359,7 @@ }, " extends Error" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5373,7 +5373,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5387,7 +5387,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5402,7 +5402,7 @@ "signature": [ "Error | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -5430,7 +5430,7 @@ }, " extends Error" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5444,7 +5444,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5458,7 +5458,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5473,7 +5473,7 @@ "signature": [ "Error | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/errors.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/errors.ts", "deprecated": false, "trackAdoption": false, "isRequired": false @@ -5496,7 +5496,7 @@ "signature": [ "(date: string) => string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5510,7 +5510,7 @@ "signature": [ "string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/utils/date_helpers.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/utils/date_helpers.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5537,7 +5537,7 @@ }, ") => string" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/helpers.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/helpers.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5557,7 +5557,7 @@ "text": "NodeLogsLocatorParams" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/helpers.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/helpers.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5576,7 +5576,7 @@ "signature": [ "(hit: { sort: [string, number]; }) => { time: string; tiebreaker: number; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5587,7 +5587,7 @@ "tags": [], "label": "hit", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5601,7 +5601,7 @@ "signature": [ "[string, number]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false } @@ -5673,7 +5673,7 @@ }, ">; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/get_logs_locators.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/get_logs_locators.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5690,7 +5690,7 @@ "IShortUrlClient", ">" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/get_logs_locators.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/get_logs_locators.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -5725,7 +5725,7 @@ "text": "SerializableRecord" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5741,7 +5741,7 @@ "signature": [ "number | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false }, @@ -5757,7 +5757,7 @@ "signature": [ "{ startTime: number; endTime: number; } | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false }, @@ -5771,7 +5771,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false }, @@ -5785,7 +5785,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; } | undefined" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false } @@ -5816,7 +5816,7 @@ "text": "LogsLocatorParams" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5827,7 +5827,7 @@ "tags": [], "label": "nodeField", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false }, @@ -5838,7 +5838,7 @@ "tags": [], "label": "nodeId", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false } @@ -5852,7 +5852,7 @@ "tags": [], "label": "ResolvedLogView", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -5863,7 +5863,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5874,7 +5874,7 @@ "tags": [], "label": "description", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5885,7 +5885,7 @@ "tags": [], "label": "indices", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5896,7 +5896,7 @@ "tags": [], "label": "timestampField", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5907,7 +5907,7 @@ "tags": [], "label": "tiebreakerField", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5921,7 +5921,7 @@ "signature": [ "string[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5942,7 +5942,7 @@ }, "[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5958,7 +5958,7 @@ "MappingRuntimeField", "; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5972,7 +5972,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false }, @@ -5992,7 +5992,7 @@ "text": "DataView" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false } @@ -6023,7 +6023,7 @@ "text": "LogsLocatorParams" } ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6034,7 +6034,7 @@ "tags": [], "label": "traceId", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/types.ts", "deprecated": false, "trackAdoption": false } @@ -6054,7 +6054,7 @@ "signature": [ "\"logFilter\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6069,7 +6069,7 @@ "signature": [ "\"logPosition\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6084,7 +6084,7 @@ "signature": [ "\"/api/log_entries/highlights\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/highlights.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/highlights.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6099,7 +6099,7 @@ "signature": [ "\"/api/log_entries/summary\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6130,7 +6130,7 @@ }, "; highlights: string[]; })[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6145,7 +6145,7 @@ "signature": [ "{ type: \"data_view\"; dataViewId: string; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6160,7 +6160,7 @@ "signature": [ "{ start: number; end: number; entriesCount: number; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6175,7 +6175,7 @@ "signature": [ "{ start: number; end: number; entriesCount: number; } & { representativeKey: { time: string; tiebreaker: number; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary_highlights.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6206,7 +6206,7 @@ }, "; highlights: string[]; })[]; })[]; context: {} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6221,7 +6221,7 @@ "signature": [ "{ after: \"first\" | { time: string; tiebreaker: number; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6236,7 +6236,7 @@ "signature": [ "{ center: { time: string; tiebreaker: number; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6251,7 +6251,7 @@ "signature": [ "{ before: { time: string; tiebreaker: number; } | \"last\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6266,7 +6266,7 @@ "signature": [ "{} | { 'container.id': string; } | { 'host.name': string; 'log.file.path': string; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6281,7 +6281,7 @@ "signature": [ "{ time: string; tiebreaker: number; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6304,7 +6304,7 @@ }, "; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6319,7 +6319,7 @@ "signature": [ "{ time: string; tiebreaker: number; } & { gid?: string | undefined; fromAutoReload?: boolean | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6342,7 +6342,7 @@ }, "; highlights: string[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6357,7 +6357,7 @@ "signature": [ "{ type: \"index_name\"; indexName: string; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6372,7 +6372,7 @@ "signature": [ "{ type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6395,7 +6395,7 @@ }, "; highlights: string[]; })[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6410,7 +6410,7 @@ "signature": [ "{ constant: string; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6433,7 +6433,7 @@ }, "; highlights: string[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6456,7 +6456,7 @@ }, "; highlights: string[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6471,7 +6471,7 @@ "signature": [ "\"LOGS_LOCATOR\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/logs_locator.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/logs_locator.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6486,7 +6486,7 @@ "signature": [ "{ type: \"kibana_advanced_setting\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6501,7 +6501,7 @@ "signature": [ "{ columnId: string; time: string; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6516,7 +6516,7 @@ "signature": [ "{ id: string; origin: \"internal\" | \"inline\" | \"stored\" | \"infra-source-stored\" | \"infra-source-internal\" | \"infra-source-fallback\"; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; } & { updatedAt?: number | undefined; version?: string | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6531,7 +6531,7 @@ "signature": [ "{ name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6546,7 +6546,7 @@ "signature": [ "{ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6561,7 +6561,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; } | { type: \"log-view-inline\"; id: string; attributes: { name: string; description: string; logIndices: { type: \"data_view\"; dataViewId: string; } | { type: \"index_name\"; indexName: string; } | { type: \"kibana_advanced_setting\"; }; logColumns: ({ timestampColumn: { id: string; }; } | { messageColumn: { id: string; }; } | { fieldColumn: { id: string; } & { field: string; }; })[]; }; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6576,7 +6576,7 @@ "signature": [ "{ index: \"unknown\" | \"missing\" | \"empty\" | \"available\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6591,7 +6591,7 @@ "signature": [ "\"NODE_LOGS_LOCATOR\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/node_logs_locator.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/node_logs_locator.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6606,7 +6606,7 @@ "signature": [ "{ logViewId: string; type: \"log-view-reference\"; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6654,7 +6654,7 @@ "MappingTimeSeriesMetricType", " | undefined; shortDotsEnable?: boolean | undefined; isMapped?: boolean | undefined; parentName?: string | undefined; defaultFormatter?: string | undefined; }" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/resolved_log_view.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/resolved_log_view.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6669,7 +6669,7 @@ "signature": [ "\"TRACE_LOGS_LOCATOR\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/locators/trace_logs_locator.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/locators/trace_logs_locator.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6683,7 +6683,7 @@ "tags": [], "label": "DEFAULT_LOG_VIEW", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6697,7 +6697,7 @@ "signature": [ "\"log-view-reference\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false }, @@ -6708,7 +6708,7 @@ "tags": [], "label": "logViewId", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false } @@ -6722,7 +6722,7 @@ "tags": [], "label": "DEFAULT_REFRESH_INTERVAL", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6733,7 +6733,7 @@ "tags": [], "label": "pause", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false }, @@ -6744,7 +6744,7 @@ "tags": [], "label": "value", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false } @@ -6758,7 +6758,7 @@ "tags": [], "label": "defaultLogViewAttributes", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6769,7 +6769,7 @@ "tags": [], "label": "name", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false }, @@ -6780,7 +6780,7 @@ "tags": [], "label": "description", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false }, @@ -6791,7 +6791,7 @@ "tags": [], "label": "logIndices", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -6805,7 +6805,7 @@ "signature": [ "\"index_name\"" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false }, @@ -6816,7 +6816,7 @@ "tags": [], "label": "indexName", "description": [], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false } @@ -6832,7 +6832,7 @@ "signature": [ "({ timestampColumn: { id: string; }; } | { fieldColumn: { id: string; field: string; }; } | { messageColumn: { id: string; }; })[]" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/defaults.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/defaults.ts", "deprecated": false, "trackAdoption": false } @@ -6922,7 +6922,7 @@ "StringC", ">; }>]>>; }>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -6942,7 +6942,7 @@ "StringC", "; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -7580,7 +7580,7 @@ "NumberC", "; }>; }>]>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/highlights.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/highlights.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -7828,7 +7828,7 @@ "StringC", "; }>]>; }>>; }>]>>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/highlights.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/highlights.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -7940,7 +7940,7 @@ "NullC", "]>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -7972,7 +7972,7 @@ "NumberC", "; }>>; }>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/http_api/log_entries/v1/summary.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/http_api/log_entries/v1/summary.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -7998,7 +7998,7 @@ "LiteralC", "<\"first\">]>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8020,7 +8020,7 @@ "NumberC", "; }>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8046,7 +8046,7 @@ "LiteralC", "<\"last\">]>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8076,7 +8076,7 @@ "StringC", "; }>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8096,7 +8096,7 @@ "NumberC", "; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry_cursor.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry_cursor.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8132,7 +8132,7 @@ }, ", unknown>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8250,7 +8250,7 @@ "StringC", "; }>]>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8292,7 +8292,7 @@ "StringC", ">; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8312,7 +8312,7 @@ "StringC", "; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8364,7 +8364,7 @@ "StringC", ">; }>]>>; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8384,7 +8384,7 @@ "StringC", "; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8424,7 +8424,7 @@ "StringC", ">; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8470,7 +8470,7 @@ "StringC", ">; }>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8488,7 +8488,7 @@ "LiteralC", "<\"kibana_advanced_setting\">; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8510,7 +8510,7 @@ "StringC", "; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_entry/log_entry.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_entry/log_entry.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8564,7 +8564,7 @@ "StringC", "; }>>]>; }>>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8660,7 +8660,7 @@ "StringC", "; }>>]>; }>>]>>; }>>; }>]>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -8680,7 +8680,7 @@ "LiteralC", "<\"log-view-reference\">; }>" ], - "path": "x-pack/plugins/observability_solution/logs_shared/common/log_views/types.ts", + "path": "x-pack/platform/plugins/shared/logs_shared/common/log_views/types.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/logs_shared.mdx b/api_docs/logs_shared.mdx index 9c280fb4739bd..1e0ef947dfbd2 100644 --- a/api_docs/logs_shared.mdx +++ b/api_docs/logs_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsShared title: "logsShared" image: https://source.unsplash.com/400x175/?github description: API docs for the logsShared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsShared'] --- import logsSharedObj from './logs_shared.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index 396b68ac777de..fd45c7a51cc40 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index 2f5c948df4698..49083b189eb3c 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 35c1e9f581b15..568bdf43458f0 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/metrics_data_access.mdx b/api_docs/metrics_data_access.mdx index 018ffc56e887d..bf8ad25e3da7f 100644 --- a/api_docs/metrics_data_access.mdx +++ b/api_docs/metrics_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/metricsDataAccess title: "metricsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the metricsDataAccess plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'metricsDataAccess'] --- import metricsDataAccessObj from './metrics_data_access.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index acf8a96577a27..0fb4acbd73b41 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/mock_idp_plugin.mdx b/api_docs/mock_idp_plugin.mdx index d6ecb44775669..c5fe3b22b8f44 100644 --- a/api_docs/mock_idp_plugin.mdx +++ b/api_docs/mock_idp_plugin.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mockIdpPlugin title: "mockIdpPlugin" image: https://source.unsplash.com/400x175/?github description: API docs for the mockIdpPlugin plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mockIdpPlugin'] --- import mockIdpPluginObj from './mock_idp_plugin.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index acb8d84d7301d..e26faf17180e9 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index 7545307952acf..ebd1a7f22c016 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.devdocs.json b/api_docs/navigation.devdocs.json index 066ea166d2c12..6c2c601d9c297 100644 --- a/api_docs/navigation.devdocs.json +++ b/api_docs/navigation.devdocs.json @@ -554,7 +554,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & LabelAsString) | (", "CommonProps", @@ -570,7 +570,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & ", "DisambiguateSet", @@ -590,7 +590,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & LabelAsString) | (", "CommonProps", @@ -608,7 +608,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & ", "DisambiguateSet", @@ -628,7 +628,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & ", "DisambiguateSet", @@ -648,7 +648,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & LabelAsString) | (", "CommonProps", @@ -666,7 +666,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & ", "DisambiguateSet", @@ -686,7 +686,7 @@ "ToolTipPositions", " | undefined; anchorProps?: (", "CommonProps", - " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"accentSecondary\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", + " & React.HTMLAttributes) | undefined; title?: string | undefined; color?: \"warning\" | \"subdued\" | \"accent\" | \"hollow\" | undefined; size?: \"m\" | \"s\" | undefined; alignment?: \"middle\" | \"baseline\" | undefined; } & ", "DisambiguateSet", " & ", "DisambiguateSet", diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index 907443790510f..43af8241dce14 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index 603e940ee4195..b47f19f7c99d9 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/no_data_page.mdx b/api_docs/no_data_page.mdx index 6b9e1bca7d78e..08d09a3eae277 100644 --- a/api_docs/no_data_page.mdx +++ b/api_docs/no_data_page.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/noDataPage title: "noDataPage" image: https://source.unsplash.com/400x175/?github description: API docs for the noDataPage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'noDataPage'] --- import noDataPageObj from './no_data_page.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index 5138dbb2e6f0e..2069370f2879e 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index 7145c18b04ddf..fce64cc4b3cd2 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant.mdx b/api_docs/observability_a_i_assistant.mdx index 22dcbffbad586..1e00ba9856820 100644 --- a/api_docs/observability_a_i_assistant.mdx +++ b/api_docs/observability_a_i_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistant title: "observabilityAIAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistant'] --- import observabilityAIAssistantObj from './observability_a_i_assistant.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant_app.mdx b/api_docs/observability_a_i_assistant_app.mdx index 4e87f3c34cac6..1a90d0aa943e8 100644 --- a/api_docs/observability_a_i_assistant_app.mdx +++ b/api_docs/observability_a_i_assistant_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistantApp title: "observabilityAIAssistantApp" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistantApp plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistantApp'] --- import observabilityAIAssistantAppObj from './observability_a_i_assistant_app.devdocs.json'; diff --git a/api_docs/observability_ai_assistant_management.mdx b/api_docs/observability_ai_assistant_management.mdx index ae7cd0b661354..8340ce3ad0356 100644 --- a/api_docs/observability_ai_assistant_management.mdx +++ b/api_docs/observability_ai_assistant_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAiAssistantManagement title: "observabilityAiAssistantManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAiAssistantManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAiAssistantManagement'] --- import observabilityAiAssistantManagementObj from './observability_ai_assistant_management.devdocs.json'; diff --git a/api_docs/observability_logs_explorer.devdocs.json b/api_docs/observability_logs_explorer.devdocs.json index d223d4c0b72f8..032e91447eeea 100644 --- a/api_docs/observability_logs_explorer.devdocs.json +++ b/api_docs/observability_logs_explorer.devdocs.json @@ -51,7 +51,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -65,7 +65,7 @@ "signature": [ "\"ALL_DATASETS_LOCATOR\"" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false }, @@ -79,7 +79,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -93,7 +93,7 @@ "signature": [ "ObsLogsExplorerLocatorDependencies" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -119,7 +119,7 @@ }, ") => Promise<{ app: string; path: string; state: { origin?: { id: \"application-log-onboarding\"; } | undefined; }; }>" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -139,7 +139,7 @@ "text": "DatasetLocatorParams" } ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/all_datasets_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/all_datasets_locator.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -183,7 +183,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -197,7 +197,7 @@ "signature": [ "\"SINGLE_DATASET_LOCATOR\"" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false }, @@ -211,7 +211,7 @@ "signature": [ "any" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -225,7 +225,7 @@ "signature": [ "ObsLogsExplorerLocatorDependencies" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -251,7 +251,7 @@ }, ") => Promise<{ app: string; path: string; state: { origin?: { id: \"application-log-onboarding\"; } | undefined; }; }>" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -271,7 +271,7 @@ "text": "SingleDatasetLocatorParams" } ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/single_dataset_locator.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/single_dataset_locator.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -294,7 +294,7 @@ "signature": [ ">(obj: Value) => Value" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/utils/deep_compact_object.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/utils/deep_compact_object.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -308,7 +308,7 @@ "signature": [ "Value" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/utils/deep_compact_object.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/utils/deep_compact_object.ts", "deprecated": false, "trackAdoption": false, "isRequired": true @@ -326,7 +326,7 @@ "tags": [], "label": "ObservabilityLogsExplorerLocators", "description": [], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -355,7 +355,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts", "deprecated": false, "trackAdoption": false }, @@ -384,7 +384,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts", "deprecated": false, "trackAdoption": false }, @@ -413,7 +413,7 @@ }, ">" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/locators/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/locators/index.ts", "deprecated": false, "trackAdoption": false } @@ -433,7 +433,7 @@ "signature": [ "\"pageState\"" ], - "path": "x-pack/plugins/observability_solution/observability_logs_explorer/common/url_schema/common.ts", + "path": "x-pack/solutions/observability/plugins/observability_logs_explorer/common/url_schema/common.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/observability_logs_explorer.mdx b/api_docs/observability_logs_explorer.mdx index b4348fd8b20da..9a1308a6f44d3 100644 --- a/api_docs/observability_logs_explorer.mdx +++ b/api_docs/observability_logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityLogsExplorer title: "observabilityLogsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityLogsExplorer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityLogsExplorer'] --- import observabilityLogsExplorerObj from './observability_logs_explorer.devdocs.json'; diff --git a/api_docs/observability_onboarding.devdocs.json b/api_docs/observability_onboarding.devdocs.json index da3e58096ae87..84ac1313540c6 100644 --- a/api_docs/observability_onboarding.devdocs.json +++ b/api_docs/observability_onboarding.devdocs.json @@ -11,7 +11,7 @@ "tags": [], "label": "AppContext", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -22,7 +22,7 @@ "tags": [], "label": "isDev", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -33,7 +33,7 @@ "tags": [], "label": "isCloud", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -44,7 +44,7 @@ "tags": [], "label": "isServerless", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -55,7 +55,7 @@ "tags": [], "label": "stackVersion", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -69,7 +69,7 @@ "signature": [ "string | undefined" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false } @@ -83,7 +83,7 @@ "tags": [], "label": "ConfigSchema", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -97,7 +97,7 @@ "signature": [ "{ enabled: boolean; }" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -111,7 +111,7 @@ "signature": [ "{ enabled: boolean; }" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false } @@ -125,7 +125,7 @@ "tags": [], "label": "ObservabilityOnboardingAppServices", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false, "children": [ @@ -145,7 +145,7 @@ "text": "ApplicationStart" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -165,7 +165,7 @@ "text": "HttpSetup" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -205,7 +205,7 @@ }, ">): void; }" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -225,7 +225,7 @@ "text": "AppContext" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -245,7 +245,7 @@ "text": "ConfigSchema" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -265,7 +265,7 @@ "text": "DocLinksStart" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false }, @@ -285,7 +285,7 @@ "text": "ChromeStart" } ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/index.ts", "deprecated": false, "trackAdoption": false } @@ -306,7 +306,7 @@ "signature": [ "void" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/public/plugin.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/public/plugin.ts", "deprecated": false, "trackAdoption": false, "lifecycle": "start", @@ -329,7 +329,7 @@ "signature": [ "{ readonly ui: Readonly<{} & { enabled: boolean; }>; readonly serverless: Readonly<{} & { enabled: true; }>; }" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/server/config.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/server/config.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -343,7 +343,7 @@ "tags": [], "label": "ObservabilityOnboardingPluginSetup", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/server/types.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -357,7 +357,7 @@ "tags": [], "label": "ObservabilityOnboardingPluginStart", "description": [], - "path": "x-pack/plugins/observability_solution/observability_onboarding/server/types.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/server/types.ts", "deprecated": false, "trackAdoption": false, "children": [], @@ -381,7 +381,7 @@ "signature": [ "\"observabilityOnboarding\"" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/common/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/common/index.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false @@ -396,7 +396,7 @@ "signature": [ "\"observabilityOnboarding\"" ], - "path": "x-pack/plugins/observability_solution/observability_onboarding/common/index.ts", + "path": "x-pack/solutions/observability/plugins/observability_onboarding/common/index.ts", "deprecated": false, "trackAdoption": false, "initialIsOpen": false diff --git a/api_docs/observability_onboarding.mdx b/api_docs/observability_onboarding.mdx index f45eaa49e8f19..ccdab84115fc7 100644 --- a/api_docs/observability_onboarding.mdx +++ b/api_docs/observability_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityOnboarding title: "observabilityOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityOnboarding plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityOnboarding'] --- import observabilityOnboardingObj from './observability_onboarding.devdocs.json'; diff --git a/api_docs/observability_shared.devdocs.json b/api_docs/observability_shared.devdocs.json index f3b9a7109251f..99dd5bab0f3c9 100644 --- a/api_docs/observability_shared.devdocs.json +++ b/api_docs/observability_shared.devdocs.json @@ -1706,13 +1706,13 @@ "label": "useChartThemes", "description": [], "signature": [ - "() => { theme: ", + "() => { baseTheme: ", + "Theme", + "; theme: ", "RecursivePartial", "<", "Theme", - ">[]; baseTheme: ", - "Theme", - "; }" + ">[]; }" ], "path": "x-pack/plugins/observability_solution/observability_shared/public/hooks/use_chart_theme.tsx", "deprecated": false, diff --git a/api_docs/observability_shared.mdx b/api_docs/observability_shared.mdx index 0209d7aba8753..2d3554d15c449 100644 --- a/api_docs/observability_shared.mdx +++ b/api_docs/observability_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityShared title: "observabilityShared" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityShared plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityShared'] --- import observabilitySharedObj from './observability_shared.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index 267e3315f128f..0f058715b3b1f 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/painless_lab.mdx b/api_docs/painless_lab.mdx index 911e4b38ebfd6..d586196642896 100644 --- a/api_docs/painless_lab.mdx +++ b/api_docs/painless_lab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/painlessLab title: "painlessLab" image: https://source.unsplash.com/400x175/?github description: API docs for the painlessLab plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'painlessLab'] --- import painlessLabObj from './painless_lab.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index 21212e4b1b47f..848e9a7a5d481 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -15,13 +15,13 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | Count | Plugins or Packages with a
public API | Number of teams | |--------------|----------|------------------------| -| 907 | 771 | 43 | +| 906 | 770 | 43 | ### Public API health stats | API Count | Any Count | Missing comments | Missing exports | |--------------|----------|-----------------|--------| -| 54975 | 243 | 41289 | 2034 | +| 54834 | 241 | 41170 | 2032 | ## Plugin Directory @@ -36,7 +36,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/obs-ux-infra_services-team](https://github.com/orgs/elastic/teams/obs-ux-infra_services-team) | - | 93 | 0 | 93 | 3 | | | [@elastic/kibana-cloud-security-posture](https://github.com/orgs/elastic/teams/kibana-cloud-security-posture) | Centralized asset inventory experience within the Elastic Security solution. A central place for users to view and manage all their assets from different environments | 6 | 0 | 6 | 0 | | | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 9 | 0 | 9 | 0 | -| | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | Considering using bfetch capabilities when fetching large amounts of data. This services supports batching HTTP requests and streaming responses back. | 60 | 1 | 59 | 2 | | | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Adds Canvas application to Kibana | 9 | 0 | 8 | 3 | | | [@elastic/response-ops](https://github.com/orgs/elastic/teams/response-ops) | The Case management system in Kibana | 125 | 0 | 105 | 28 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 271 | 2 | 255 | 9 | @@ -54,9 +53,9 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | crossClusterReplication | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 0 | 0 | 0 | 0 | | customBranding | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | Enables customization of Kibana | 0 | 0 | 0 | 0 | | | [@elastic/fleet](https://github.com/orgs/elastic/teams/fleet) | Add custom data integrations so they can be displayed in the Fleet integrations app | 268 | 0 | 249 | 1 | -| | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Adds the Dashboard app to Kibana | 114 | 0 | 111 | 13 | +| | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Adds the Dashboard app to Kibana | 117 | 0 | 113 | 13 | | | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | - | 54 | 0 | 51 | 0 | -| | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | Data services are useful for searching and querying data from Elasticsearch. Helpful utilities include: a re-usable react query bar, KQL autocomplete, async search, Data Views (Index Patterns) and field formatters. | 3209 | 31 | 2594 | 24 | +| | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | Data services are useful for searching and querying data from Elasticsearch. Helpful utilities include: a re-usable react query bar, KQL autocomplete, async search, Data Views (Index Patterns) and field formatters. | 3208 | 31 | 2593 | 25 | | | [@elastic/obs-ux-logs-team](https://github.com/orgs/elastic/teams/obs-ux-logs-team) | - | 6 | 0 | 6 | 0 | | | [@elastic/obs-ai-assistant](https://github.com/orgs/elastic/teams/obs-ai-assistant) | - | 9 | 0 | 9 | 0 | | | [@elastic/kibana-data-discovery](https://github.com/orgs/elastic/teams/kibana-data-discovery) | This plugin provides the ability to create data views via a modal flyout inside Kibana apps | 35 | 0 | 25 | 5 | @@ -71,7 +70,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/kibana-data-discovery](https://github.com/orgs/elastic/teams/kibana-data-discovery) | A stateful layer to register shared features and provide an access point to discover without a direct dependency | 26 | 0 | 23 | 2 | | | [@elastic/security-threat-hunting-explore](https://github.com/orgs/elastic/teams/security-threat-hunting-explore) | APIs used to assess the quality of data in Elasticsearch indexes | 2 | 0 | 0 | 0 | | | [@elastic/security-generative-ai](https://github.com/orgs/elastic/teams/security-generative-ai) | Server APIs for the Elastic AI Assistant | 55 | 0 | 40 | 2 | -| | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Adds embeddables service to Kibana | 374 | 1 | 289 | 4 | +| | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Adds embeddables service to Kibana | 280 | 0 | 222 | 2 | | | [@elastic/kibana-presentation](https://github.com/orgs/elastic/teams/kibana-presentation) | Extends embeddable plugin with more functionality | 15 | 0 | 15 | 2 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | This plugin provides encryption and decryption utilities for saved objects containing sensitive information. | 54 | 0 | 47 | 1 | | | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | Adds dashboards for discovering and managing Enterprise Search products. | 5 | 0 | 5 | 0 | @@ -79,7 +78,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/obs-entities](https://github.com/orgs/elastic/teams/obs-entities) | Entity manager plugin for entity assets (inventory, topology, etc) | 43 | 0 | 43 | 4 | | entityManagerApp | [@elastic/obs-entities](https://github.com/orgs/elastic/teams/obs-entities) | Entity manager plugin for entity assets (inventory, topology, etc) | 0 | 0 | 0 | 0 | | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 99 | 3 | 97 | 3 | -| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 25 | 0 | 9 | 0 | +| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 26 | 0 | 9 | 0 | | | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 2 | 0 | 2 | 0 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | The Event Annotation service contains expressions for event annotations | 201 | 0 | 201 | 6 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | The listing page for event annotations. | 15 | 0 | 15 | 0 | @@ -191,7 +190,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | Plugin to provide access to and rendering of python notebooks for use in the persistent developer console. | 10 | 0 | 10 | 1 | | | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | - | 13 | 0 | 13 | 0 | | searchprofiler | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 0 | 0 | 0 | 0 | -| | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | This plugin provides authentication and authorization features, and exposes functionality to understand the capabilities of the currently authenticated user. | 458 | 0 | 238 | 0 | +| | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | This plugin provides authentication and authorization features, and exposes functionality to understand the capabilities of the currently authenticated user. | 461 | 0 | 238 | 0 | | | [@elastic/security-solution](https://github.com/orgs/elastic/teams/security-solution) | - | 191 | 0 | 123 | 34 | | | [@elastic/security-solution](https://github.com/orgs/elastic/teams/security-solution) | ESS customizations for Security Solution. | 6 | 0 | 6 | 0 | | | [@elastic/security-solution](https://github.com/orgs/elastic/teams/security-solution) | Serverless customizations for security. | 7 | 0 | 7 | 0 | @@ -273,7 +272,6 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/obs-ux-infra_services-team](https://github.com/orgs/elastic/teams/obs-ux-infra_services-team) | - | 12 | 0 | 12 | 0 | | | [@elastic/security-defend-workflows](https://github.com/orgs/elastic/teams/security-defend-workflows) | - | 3 | 0 | 3 | 0 | | | [@elastic/kibana-qa](https://github.com/orgs/elastic/teams/kibana-qa) | - | 12 | 0 | 12 | 0 | -| | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 4 | 0 | 1 | 0 | | | [@elastic/obs-ux-management-team](https://github.com/orgs/elastic/teams/obs-ux-management-team) | - | 10 | 0 | 10 | 0 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 7 | 0 | 7 | 1 | | | [@elastic/response-ops](https://github.com/orgs/elastic/teams/response-ops) | - | 19 | 0 | 16 | 0 | @@ -281,6 +279,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/security-threat-hunting-explore](https://github.com/orgs/elastic/teams/security-threat-hunting-explore) | - | 44 | 1 | 30 | 1 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 25 | 0 | 21 | 0 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 90 | 0 | 90 | 0 | +| | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 1 | 0 | 0 | 0 | | | [@elastic/kibana-operations](https://github.com/orgs/elastic/teams/kibana-operations) | - | 7 | 0 | 2 | 0 | | | [@elastic/kibana-operations](https://github.com/orgs/elastic/teams/kibana-operations) | - | 3 | 0 | 3 | 0 | | | [@elastic/kibana-operations](https://github.com/orgs/elastic/teams/kibana-operations) | - | 62 | 0 | 17 | 1 | @@ -451,7 +450,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 10 | 0 | 3 | 0 | | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 8 | 0 | 8 | 0 | | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 8 | 0 | 8 | 0 | -| | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 21 | 0 | 6 | 0 | +| | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 22 | 0 | 6 | 1 | | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 146 | 1 | 63 | 0 | | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 16 | 0 | 16 | 0 | | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 15 | 0 | 15 | 2 | @@ -531,8 +530,8 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/kibana-core](https://github.com/orgs/elastic/teams/kibana-core) | - | 31 | 0 | 31 | 1 | | | [@elastic/kibana-operations](https://github.com/orgs/elastic/teams/kibana-operations) | - | 2 | 0 | 1 | 0 | | | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 287 | 1 | 225 | 25 | -| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 29 | 0 | 12 | 0 | -| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 83 | 0 | 74 | 0 | +| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 30 | 0 | 12 | 0 | +| | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 85 | 0 | 76 | 0 | | | [@elastic/kibana-esql](https://github.com/orgs/elastic/teams/kibana-esql) | - | 205 | 0 | 193 | 12 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 40 | 0 | 40 | 0 | | | [@elastic/kibana-visualizations](https://github.com/orgs/elastic/teams/kibana-visualizations) | - | 52 | 0 | 52 | 1 | @@ -588,7 +587,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 23 | 0 | 7 | 0 | | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 8 | 0 | 2 | 3 | | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 45 | 0 | 0 | 0 | -| | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 137 | 0 | 136 | 0 | +| | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 136 | 0 | 135 | 0 | | | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 20 | 0 | 11 | 0 | | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 88 | 0 | 10 | 0 | | | [@elastic/kibana-management](https://github.com/orgs/elastic/teams/kibana-management) | - | 56 | 0 | 6 | 0 | @@ -701,14 +700,14 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/kibana-data-discovery](https://github.com/orgs/elastic/teams/kibana-data-discovery) | - | 18 | 1 | 17 | 1 | | | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | - | 36 | 0 | 34 | 3 | | | [@elastic/kibana-data-discovery](https://github.com/orgs/elastic/teams/kibana-data-discovery) | - | 20 | 0 | 18 | 1 | -| | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | - | 2 | 0 | 2 | 0 | +| | [@elastic/search-kibana](https://github.com/orgs/elastic/teams/search-kibana) | - | 8 | 0 | 8 | 0 | | | [@elastic/kibana-data-discovery](https://github.com/orgs/elastic/teams/kibana-data-discovery) | - | 51 | 0 | 25 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 66 | 0 | 63 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 21 | 0 | 17 | 7 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 4 | 0 | 0 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 35 | 0 | 25 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 7 | 0 | 7 | 0 | -| | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 126 | 0 | 66 | 0 | +| | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 127 | 0 | 66 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 67 | 0 | 40 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 282 | 1 | 161 | 0 | | | [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana-security) | - | 74 | 0 | 73 | 0 | diff --git a/api_docs/presentation_panel.mdx b/api_docs/presentation_panel.mdx index 945fc971c4a3e..e8901a091ef1a 100644 --- a/api_docs/presentation_panel.mdx +++ b/api_docs/presentation_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationPanel title: "presentationPanel" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationPanel plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationPanel'] --- import presentationPanelObj from './presentation_panel.devdocs.json'; diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index ce045f5348c2b..3567d727f7e17 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/product_doc_base.mdx b/api_docs/product_doc_base.mdx index f99ec370bf479..cfdb5bb075710 100644 --- a/api_docs/product_doc_base.mdx +++ b/api_docs/product_doc_base.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/productDocBase title: "productDocBase" image: https://source.unsplash.com/400x175/?github description: API docs for the productDocBase plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'productDocBase'] --- import productDocBaseObj from './product_doc_base.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index 6dd5528ad6099..f8ec0df252582 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/profiling_data_access.mdx b/api_docs/profiling_data_access.mdx index 7f7823cfc6ac3..2278c245c8524 100644 --- a/api_docs/profiling_data_access.mdx +++ b/api_docs/profiling_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profilingDataAccess title: "profilingDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the profilingDataAccess plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profilingDataAccess'] --- import profilingDataAccessObj from './profiling_data_access.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index 310fb3afe843e..c4f85aa0bf765 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index c1b36fbe650e0..37a165fc7e36d 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index ba9cb7c07d44f..557756cb43db8 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index eb580162bf5a1..deb6630267553 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index bb412fe5b8589..519c22416951b 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index 3070576e67a25..9ebbf5beeba12 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index f0a7bffbae467..4071f17015013 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index b5b1690450280..77912ca922a18 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 07c87063de87e..d8889de7c5db3 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index 9587eeb3c4756..bc16281695ef0 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 5e9a1bc226cc3..4e006f387faf4 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index d85fe1527b6fc..ecb6736764d46 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index daeaaedf42005..9906af118d626 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/search_assistant.mdx b/api_docs/search_assistant.mdx index 51f1183102b67..d23469e0c5183 100644 --- a/api_docs/search_assistant.mdx +++ b/api_docs/search_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchAssistant title: "searchAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the searchAssistant plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchAssistant'] --- import searchAssistantObj from './search_assistant.devdocs.json'; diff --git a/api_docs/search_connectors.mdx b/api_docs/search_connectors.mdx index 99b5effbe4d40..12fb41008d3cd 100644 --- a/api_docs/search_connectors.mdx +++ b/api_docs/search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchConnectors title: "searchConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the searchConnectors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchConnectors'] --- import searchConnectorsObj from './search_connectors.devdocs.json'; diff --git a/api_docs/search_homepage.mdx b/api_docs/search_homepage.mdx index ca311d7e88337..caab04d0d42f0 100644 --- a/api_docs/search_homepage.mdx +++ b/api_docs/search_homepage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchHomepage title: "searchHomepage" image: https://source.unsplash.com/400x175/?github description: API docs for the searchHomepage plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchHomepage'] --- import searchHomepageObj from './search_homepage.devdocs.json'; diff --git a/api_docs/search_indices.mdx b/api_docs/search_indices.mdx index cb71bc7c96cde..d88355ba8f792 100644 --- a/api_docs/search_indices.mdx +++ b/api_docs/search_indices.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchIndices title: "searchIndices" image: https://source.unsplash.com/400x175/?github description: API docs for the searchIndices plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchIndices'] --- import searchIndicesObj from './search_indices.devdocs.json'; diff --git a/api_docs/search_inference_endpoints.mdx b/api_docs/search_inference_endpoints.mdx index e9b9e2af2aea9..3911b19eb20df 100644 --- a/api_docs/search_inference_endpoints.mdx +++ b/api_docs/search_inference_endpoints.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchInferenceEndpoints title: "searchInferenceEndpoints" image: https://source.unsplash.com/400x175/?github description: API docs for the searchInferenceEndpoints plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchInferenceEndpoints'] --- import searchInferenceEndpointsObj from './search_inference_endpoints.devdocs.json'; diff --git a/api_docs/search_navigation.mdx b/api_docs/search_navigation.mdx index 6d69a22a45ae4..bd2e3e03369ae 100644 --- a/api_docs/search_navigation.mdx +++ b/api_docs/search_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNavigation title: "searchNavigation" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNavigation plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNavigation'] --- import searchNavigationObj from './search_navigation.devdocs.json'; diff --git a/api_docs/search_notebooks.mdx b/api_docs/search_notebooks.mdx index 804fee6810e41..e7782839e9ea5 100644 --- a/api_docs/search_notebooks.mdx +++ b/api_docs/search_notebooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNotebooks title: "searchNotebooks" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNotebooks plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNotebooks'] --- import searchNotebooksObj from './search_notebooks.devdocs.json'; diff --git a/api_docs/search_playground.mdx b/api_docs/search_playground.mdx index bd976c4a65236..feaefe61b2f8a 100644 --- a/api_docs/search_playground.mdx +++ b/api_docs/search_playground.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchPlayground title: "searchPlayground" image: https://source.unsplash.com/400x175/?github description: API docs for the searchPlayground plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchPlayground'] --- import searchPlaygroundObj from './search_playground.devdocs.json'; diff --git a/api_docs/security.devdocs.json b/api_docs/security.devdocs.json index 6124bdd2f482f..b0ba5fec59831 100644 --- a/api_docs/security.devdocs.json +++ b/api_docs/security.devdocs.json @@ -157,6 +157,23 @@ "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "security", + "id": "def-public.AuthenticatedUser.api_key", + "type": "Object", + "tags": [], + "label": "api_key", + "description": [ + "\nMetadata of the API key that was used to authenticate the user." + ], + "signature": [ + "ApiKeyDescriptor", + " | undefined" + ], + "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false @@ -3705,6 +3722,23 @@ "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "security", + "id": "def-server.AuthenticatedUser.api_key", + "type": "Object", + "tags": [], + "label": "api_key", + "description": [ + "\nMetadata of the API key that was used to authenticate the user." + ], + "signature": [ + "ApiKeyDescriptor", + " | undefined" + ], + "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false @@ -6406,10 +6440,6 @@ "plugin": "actions", "path": "x-pack/plugins/actions/server/plugin.ts" }, - { - "plugin": "savedObjectsTagging", - "path": "x-pack/plugins/saved_objects_tagging/server/request_handler_context.ts" - }, { "plugin": "ml", "path": "x-pack/platform/plugins/shared/ml/server/saved_objects/initialization/initialization.ts" @@ -6426,6 +6456,10 @@ "plugin": "ml", "path": "x-pack/platform/plugins/shared/ml/server/plugin.ts" }, + { + "plugin": "savedObjectsTagging", + "path": "x-pack/plugins/saved_objects_tagging/server/request_handler_context.ts" + }, { "plugin": "enterpriseSearch", "path": "x-pack/plugins/enterprise_search/server/lib/check_access.ts" @@ -6547,23 +6581,15 @@ }, { "plugin": "entityManager", - "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts" + "path": "x-pack/platform/plugins/shared/entity_manager/server/lib/entities/uninstall_entity_definition.ts" }, { "plugin": "entityManager", - "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts" - }, - { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/lib/helpers/get_random_sampler/index.ts" - }, - { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/routes/agent_keys/get_agent_keys_privileges.ts" + "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/enable.ts" }, { - "plugin": "apm", - "path": "x-pack/plugins/observability_solution/apm/server/routes/fleet/is_superuser.ts" + "plugin": "entityManager", + "path": "x-pack/platform/plugins/shared/entity_manager/server/routes/enablement/disable.ts" }, { "plugin": "fleet", @@ -7011,6 +7037,23 @@ "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", "deprecated": false, "trackAdoption": false + }, + { + "parentPluginId": "security", + "id": "def-common.AuthenticatedUser.api_key", + "type": "Object", + "tags": [], + "label": "api_key", + "description": [ + "\nMetadata of the API key that was used to authenticate the user." + ], + "signature": [ + "ApiKeyDescriptor", + " | undefined" + ], + "path": "packages/core/security/core-security-common/src/authentication/authenticated_user.ts", + "deprecated": false, + "trackAdoption": false } ], "initialIsOpen": false diff --git a/api_docs/security.mdx b/api_docs/security.mdx index ecffc85a8a740..81485d9d08677 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/kibana-security](https://github.com/orgs/elastic/teams/kibana- | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 458 | 0 | 238 | 0 | +| 461 | 0 | 238 | 0 | ## Client diff --git a/api_docs/security_solution.devdocs.json b/api_docs/security_solution.devdocs.json index e84f41806e8ef..ec1092b175975 100644 --- a/api_docs/security_solution.devdocs.json +++ b/api_docs/security_solution.devdocs.json @@ -1931,7 +1931,7 @@ "label": "setComponents", "description": [], "signature": [ - "(components: Partial<{ GetStarted: React.ComponentType<{ indicesExist?: boolean | undefined; }>; DashboardsLandingCallout: React.ComponentType<{}>; EnablementModalCallout: React.ComponentType<{}>; }>) => void" + "(components: Partial<{ GetStarted: React.ComponentType<{ indicesExist?: boolean | undefined; }>; DashboardsLandingCallout: React.ComponentType<{}>; AdditionalChargesMessage: React.ComponentType<{}>; }>) => void" ], "path": "x-pack/solutions/security/plugins/security_solution/public/types.ts", "deprecated": false, @@ -1946,7 +1946,7 @@ "label": "components", "description": [], "signature": [ - "{ GetStarted?: React.ComponentType<{ indicesExist?: boolean | undefined; }> | undefined; DashboardsLandingCallout?: React.ComponentType<{}> | undefined; EnablementModalCallout?: React.ComponentType<{}> | undefined; }" + "{ GetStarted?: React.ComponentType<{ indicesExist?: boolean | undefined; }> | undefined; DashboardsLandingCallout?: React.ComponentType<{}> | undefined; AdditionalChargesMessage?: React.ComponentType<{}> | undefined; }" ], "path": "x-pack/solutions/security/plugins/security_solution/public/contract_components.ts", "deprecated": false, diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 30b93bedf8912..352819ad4d6c5 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/security_solution_ess.mdx b/api_docs/security_solution_ess.mdx index c3bc270e07b38..2d8800a3336a7 100644 --- a/api_docs/security_solution_ess.mdx +++ b/api_docs/security_solution_ess.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionEss title: "securitySolutionEss" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionEss plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionEss'] --- import securitySolutionEssObj from './security_solution_ess.devdocs.json'; diff --git a/api_docs/security_solution_serverless.mdx b/api_docs/security_solution_serverless.mdx index 8526161bc5b51..52fb5d78b80d9 100644 --- a/api_docs/security_solution_serverless.mdx +++ b/api_docs/security_solution_serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionServerless title: "securitySolutionServerless" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionServerless plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionServerless'] --- import securitySolutionServerlessObj from './security_solution_serverless.devdocs.json'; diff --git a/api_docs/serverless.mdx b/api_docs/serverless.mdx index f634685081dec..c2f45429f75dd 100644 --- a/api_docs/serverless.mdx +++ b/api_docs/serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverless title: "serverless" image: https://source.unsplash.com/400x175/?github description: API docs for the serverless plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverless'] --- import serverlessObj from './serverless.devdocs.json'; diff --git a/api_docs/serverless_observability.mdx b/api_docs/serverless_observability.mdx index 2efde2f4a1173..6a279a42d1383 100644 --- a/api_docs/serverless_observability.mdx +++ b/api_docs/serverless_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessObservability title: "serverlessObservability" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessObservability plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessObservability'] --- import serverlessObservabilityObj from './serverless_observability.devdocs.json'; diff --git a/api_docs/serverless_search.mdx b/api_docs/serverless_search.mdx index 79f553148e2fa..b32884c9b7b4f 100644 --- a/api_docs/serverless_search.mdx +++ b/api_docs/serverless_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessSearch title: "serverlessSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessSearch plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessSearch'] --- import serverlessSearchObj from './serverless_search.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index b535088de67ff..de23556b905af 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index 96bb064600302..2262cc1c07f02 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/slo.mdx b/api_docs/slo.mdx index 1c8ccf4ecebcb..a150ae530b823 100644 --- a/api_docs/slo.mdx +++ b/api_docs/slo.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/slo title: "slo" image: https://source.unsplash.com/400x175/?github description: API docs for the slo plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'slo'] --- import sloObj from './slo.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index fd685a5a1c04b..f32b4120d69ce 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index 3c5d96b8cbfdc..de00c1b145ee6 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index 126a2e67d42eb..d199b74884813 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 3f3ea14529028..202d6d07078a8 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/streams.mdx b/api_docs/streams.mdx index d24695f85797e..c4f40e28818ca 100644 --- a/api_docs/streams.mdx +++ b/api_docs/streams.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streams title: "streams" image: https://source.unsplash.com/400x175/?github description: API docs for the streams plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streams'] --- import streamsObj from './streams.devdocs.json'; diff --git a/api_docs/streams_app.mdx b/api_docs/streams_app.mdx index 4a823b5fde7b4..52cd3d9469dd5 100644 --- a/api_docs/streams_app.mdx +++ b/api_docs/streams_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streamsApp title: "streamsApp" image: https://source.unsplash.com/400x175/?github description: API docs for the streamsApp plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streamsApp'] --- import streamsAppObj from './streams_app.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index 0443667ead7d8..05b7864e82fcb 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.devdocs.json b/api_docs/telemetry.devdocs.json index 765689834b183..9d6b148161993 100644 --- a/api_docs/telemetry.devdocs.json +++ b/api_docs/telemetry.devdocs.json @@ -807,10 +807,6 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/server/telemetry/sender.ts" }, - { - "plugin": "datasetQuality", - "path": "x-pack/plugins/observability_solution/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts" - }, { "plugin": "fleet", "path": "x-pack/plugins/fleet/server/telemetry/sender.test.ts" @@ -819,6 +815,10 @@ "plugin": "fleet", "path": "x-pack/plugins/fleet/server/telemetry/sender.test.ts" }, + { + "plugin": "datasetQuality", + "path": "x-pack/platform/plugins/shared/dataset_quality/server/services/data_telemetry/data_telemetry_service.ts" + }, { "plugin": "securitySolution", "path": "x-pack/solutions/security/plugins/security_solution/server/lib/telemetry/sender.ts" diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index 62e0c30621cba..90a70acb48257 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index dee4d18d74aa2..a051cb29e09d1 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 179389de786d4..85e738cfc7882 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index bf1be15c47d1a..7e8fcc65b1907 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.devdocs.json b/api_docs/timelines.devdocs.json index b916d23908995..5b3aed833470c 100644 --- a/api_docs/timelines.devdocs.json +++ b/api_docs/timelines.devdocs.json @@ -3944,71 +3944,71 @@ }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/index.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/index.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/helpers.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/index.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/edit_data_provider/index.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_badge.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/add_data_provider_popover.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_badge.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/add_data_provider_popover.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/empty.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/empty.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/body/column_headers/helpers.ts" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/add_data_provider_popover.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/add_data_provider_popover.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_actions.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/empty.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_badge.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/empty.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/data_providers/provider_item_badge.tsx" }, { "plugin": "securitySolution", @@ -4056,11 +4056,11 @@ }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/flyout/document_details/right/tabs/table_tab.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/tabs/shared/utils.ts" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/flyout/document_details/right/tabs/table_tab.tsx" + "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/tabs/shared/utils.ts" }, { "plugin": "securitySolution", @@ -4068,11 +4068,11 @@ }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/tabs/shared/utils.ts" + "path": "x-pack/solutions/security/plugins/security_solution/public/flyout/document_details/right/tabs/table_tab.tsx" }, { "plugin": "securitySolution", - "path": "x-pack/solutions/security/plugins/security_solution/public/timelines/components/timeline/tabs/shared/utils.ts" + "path": "x-pack/solutions/security/plugins/security_solution/public/flyout/document_details/right/tabs/table_tab.tsx" }, { "plugin": "securitySolution", diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index 0abc1d5c77463..feaacfa11a52b 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index c89b011acf0c1..520b42d2f16c8 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index d02c8fc3bdedb..6495cc93e8588 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index c5e29e0779ead..56fd8c3dd8ed6 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index 257de6e94096b..91d2797838ddd 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_doc_viewer.mdx b/api_docs/unified_doc_viewer.mdx index a9105887e861f..c97d0e7e1d1b3 100644 --- a/api_docs/unified_doc_viewer.mdx +++ b/api_docs/unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedDocViewer title: "unifiedDocViewer" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedDocViewer plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedDocViewer'] --- import unifiedDocViewerObj from './unified_doc_viewer.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 42fd5d65b313e..52e206161da2d 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 08acfecaf75a5..5221cc8b5202d 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index 4977842164b0a..79061a8a1a14a 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/uptime.mdx b/api_docs/uptime.mdx index 22477c231c723..0beefa3977c9b 100644 --- a/api_docs/uptime.mdx +++ b/api_docs/uptime.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uptime title: "uptime" image: https://source.unsplash.com/400x175/?github description: API docs for the uptime plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uptime'] --- import uptimeObj from './uptime.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index 626e47c6ad331..5c18199873d8c 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index 7fb407e9c70b3..363cb0b209eb0 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index fb13de158f1f9..483a3eb767795 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index b001bbb32b7f3..1f68ab8bb9cb9 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index fa7986a01bd25..4827a793d612c 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 5f55e0f1b8c70..ae9c61aae637a 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 388b483088a1d..bec3adf8b034a 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index 3681feba8524f..94b7ebdea528c 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index 1968802097cc7..cecbbdd986a6a 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index c2994826491d1..75ca3408302e5 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index 06735365d1cc0..c88e9daebd52d 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index e10f3976ade16..bb4fc1c719a13 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 56f15227f0ea0..4cdca953db8cd 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.devdocs.json b/api_docs/visualizations.devdocs.json index b05bac81ecc16..b2d6fbc1eeec7 100644 --- a/api_docs/visualizations.devdocs.json +++ b/api_docs/visualizations.devdocs.json @@ -1331,26 +1331,7 @@ }, ", ", "VisualizeOutput", - ", any> implements ", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.ReferenceOrValueEmbeddable", - "text": "ReferenceOrValueEmbeddable" - }, - "<", - "VisualizeByValueInput", - ", ", - "VisualizeByReferenceInput", - ">,", - { - "pluginId": "embeddable", - "scope": "public", - "docId": "kibEmbeddablePluginApi", - "section": "def-public.FilterableEmbeddable", - "text": "FilterableEmbeddable" - } + ", any>" ], "path": "src/plugins/visualizations/public/legacy/embeddable/visualize_embeddable.tsx", "deprecated": true, @@ -6798,15 +6779,7 @@ "section": "def-common.Filter", "text": "Filter" }, - "[]; getExplicitInput: () => Readonly<", - { - "pluginId": "visualizations", - "scope": "public", - "docId": "kibVisualizationsPluginApi", - "section": "def-public.VisualizeInput", - "text": "VisualizeInput" - }, - ">; getDescription: () => string; render: (domNode: HTMLElement) => Promise; supportedTriggers: () => string[]; getInspectorAdapters: () => ", + "[]; render: (domNode: HTMLElement) => Promise; supportedTriggers: () => string[]; getInspectorAdapters: () => ", { "pluginId": "inspector", "scope": "common", @@ -6914,7 +6887,15 @@ "section": "def-public.VisualizeInput", "text": "VisualizeInput" }, - ">) => Promise; getPersistableInput: () => Readonly<", + ">) => Promise; getExplicitInput: () => Readonly<", + { + "pluginId": "visualizations", + "scope": "public", + "docId": "kibVisualizationsPluginApi", + "section": "def-public.VisualizeInput", + "text": "VisualizeInput" + }, + ">; getPersistableInput: () => Readonly<", { "pluginId": "visualizations", "scope": "public", @@ -6930,7 +6911,7 @@ "section": "def-public.VisualizeInput", "text": "VisualizeInput" }, - ">; getTitle: () => string; untilInitializationFinished: () => Promise; updateOutput: (outputChanges: Partial<", + ">; getTitle: () => string; getDescription: () => string; untilInitializationFinished: () => Promise; updateOutput: (outputChanges: Partial<", "VisualizeOutput", ">) => void; }" ], diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index 8c24dab611e53..d93d6fa1ea6cb 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2024-12-19 +date: 2024-12-20 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; diff --git a/dev_docs/nav-kibana-dev.docnav.json b/dev_docs/nav-kibana-dev.docnav.json index 141af7984adf8..976bab0d8316f 100644 --- a/dev_docs/nav-kibana-dev.docnav.json +++ b/dev_docs/nav-kibana-dev.docnav.json @@ -465,9 +465,6 @@ { "id": "kibDataSearchPluginApi" }, - { - "id": "kibBfetchPluginApi" - }, { "id": "kibAlertingPluginApi" }, From 54989a519260397f26694be0db1913a7468b40cb Mon Sep 17 00:00:00 2001 From: Maxim Palenov Date: Fri, 20 Dec 2024 13:26:50 +0100 Subject: [PATCH 27/31] [Security Solution] Fix inability to unset optional field values (#204231) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit **Resolves: https://github.com/elastic/kibana/issues/203634** ## Summary This PR fixes bugs blocking unsetting optional rule field values in rule upgrade workflow. ## Details Changes here cover 3 groups of fields optional, string fields allowing empty strings and array fields allowing empty arrays. It was verified that fields in that groups allow to unset the value. The following issues were fixed - inability to set an empty string or `setup` and `note` fields It required adding `stripEmptyFields: false` for rule upgrade fields edit form. - inability to unset `timestamp_override` field Timestamp override form deserializer was fixed. - inability to unset `alert_suppression` Alert Suppression was excluded from special special fields list always upgrading to the current value. It's expected Alert Suppression won't be included in Prebuilt Rules delivered in prebuilt rules packages. The only way to get this setting and have it included in rule upgrade flyout is editing a prebuilt rule by a user with a sufficient licence. The following fields were verified and fixed where necessary ### Optional fields - ✅ `investigation_fields` - ✅ `rule_name_override` - ⚠️ `timestamp_override` (field's form deserializer was fixed) - ✅ `timeline_template` - ✅ `building_block` - ⚠️ `alert_suppression` (the field was excluded from special special fields list always upgrading to the current value) - ✅ `threat_indicator_path` (empty value resets to default `threat.indicator`) ### String fields allowing empty strings - ⚠️ `note` (required adding `stripEmptyFields: false` to the form) - ⚠️ `setup` (required adding `stripEmptyFields: false` to the form) ### Array fields allowing empty arrays - ✅ `tags` - ✅ `references` - ✅ `false_positives` - ✅ `threat` - ✅ `related_integrations` - ✅ `required_fields` - ✅ `severity_mapping` - ✅ `risk_score_mapping` ## Screenshots ![Screenshot 2024-12-17 at 09 15 14](https://github.com/user-attachments/assets/671f5198-55da-4899-ab52-1e93f3c841af) https://github.com/user-attachments/assets/bd36e5ba-e7fb-4733-a792-ea5435d579e2 ## How to test? - Ensure the `prebuiltRulesCustomizationEnabled` feature flag is enabled - Allow internal APIs via adding `server.restrictInternalApis: false` to `kibana.dev.yaml` - Clear Elasticsearch data - Run Elasticsearch and Kibana locally (do not open Kibana in a web browser) - Install an outdated version of the `security_detection_engine` Fleet package ```bash curl -X POST --user elastic:changeme -H 'Content-Type: application/json' -H 'kbn-xsrf: 123' -H "elastic-api-version: 2023-10-31" -d '{"force":true}' http://localhost:5601/kbn/api/fleet/epm/packages/security_detection_engine/8.14.1 ``` - Install prebuilt rules ```bash curl -X POST --user elastic:changeme -H 'Content-Type: application/json' -H 'kbn-xsrf: 123' -H "elastic-api-version: 1" -d '{"mode":"ALL_RULES"}' http://localhost:5601/kbn/internal/detection_engine/prebuilt_rules/installation/_perform ``` - Customize one or more rules (change fields to see them in rule upgrade workflow) - Open Rule upgrade for the rule(s) - Unset field values - Upgrade rule(s) --------- Co-authored-by: Elastic Machine --- .../perform_rule_upgrade/perform_rule_upgrade_route.ts | 1 - .../components/rule_field_edit_form_wrapper.tsx | 1 + .../final_edit/fields/timestamp_override.tsx | 7 ++++--- 3 files changed, 5 insertions(+), 4 deletions(-) diff --git a/x-pack/solutions/security/plugins/security_solution/common/api/detection_engine/prebuilt_rules/perform_rule_upgrade/perform_rule_upgrade_route.ts b/x-pack/solutions/security/plugins/security_solution/common/api/detection_engine/prebuilt_rules/perform_rule_upgrade/perform_rule_upgrade_route.ts index 3ef53e7b7c67a..ac75bbb56e0bf 100644 --- a/x-pack/solutions/security/plugins/security_solution/common/api/detection_engine/prebuilt_rules/perform_rule_upgrade/perform_rule_upgrade_route.ts +++ b/x-pack/solutions/security/plugins/security_solution/common/api/detection_engine/prebuilt_rules/perform_rule_upgrade/perform_rule_upgrade_route.ts @@ -26,7 +26,6 @@ export const PickVersionValuesEnum = PickVersionValues.enum; export const FIELDS_TO_UPGRADE_TO_CURRENT_VERSION = [ 'enabled', 'exceptions_list', - 'alert_suppression', 'actions', 'throttle', 'response_actions', diff --git a/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/field_final_side/components/rule_field_edit_form_wrapper.tsx b/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/field_final_side/components/rule_field_edit_form_wrapper.tsx index ab12f62cfa27b..e2148d3cf2a29 100644 --- a/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/field_final_side/components/rule_field_edit_form_wrapper.tsx +++ b/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/field_final_side/components/rule_field_edit_form_wrapper.tsx @@ -100,6 +100,7 @@ export function RuleFieldEditFormWrapper({ onSubmit: handleSubmit, options: { warningValidationCodes: VALIDATION_WARNING_CODES, + stripEmptyFields: false, }, }); diff --git a/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/final_edit/fields/timestamp_override.tsx b/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/final_edit/fields/timestamp_override.tsx index a57d538fab47c..b8ef00ece3b3c 100644 --- a/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/final_edit/fields/timestamp_override.tsx +++ b/x-pack/solutions/security/plugins/security_solution/public/detection_engine/rule_management/components/rule_details/three_way_diff/final_edit/fields/timestamp_override.tsx @@ -72,10 +72,11 @@ function TimestampFallbackDisabled() { return null; } -export function timestampOverrideDeserializer(defaultValue: FormData) { +export function timestampOverrideDeserializer(_: unknown, finalDiffableRule: DiffableRule) { return { - timestampOverride: defaultValue.timestamp_override.field_name, - timestampOverrideFallbackDisabled: defaultValue.timestamp_override.fallback_disabled ?? false, + timestampOverride: finalDiffableRule.timestamp_override?.field_name, + timestampOverrideFallbackDisabled: + finalDiffableRule.timestamp_override?.fallback_disabled ?? false, }; } From 39091fc30ba274f155cb807ef5de4e98bcc1072f Mon Sep 17 00:00:00 2001 From: Georgii Gorbachev Date: Fri, 20 Dec 2024 15:07:17 +0100 Subject: [PATCH 28/31] [Security Solution] Reduce flakiness in functions for installing Fleet package with prebuilt rules (#204823) **Fixes: https://github.com/elastic/kibana/issues/204812** ## Summary This PR increases the total timeout for installing the prebuilt rules package from the API integration tests from 2 minutes to 6 minutes, where 6 minutes = 2 minutes * 3 attempts. Logic before the fix: - If the first attempt takes more than 2 minutes, it will continue to run. - If the first attempt takes less than 2 minutes, there will be a second one. - If the first attempt takes more than 2 minutes, there won't be a second one. Logic after the fix: - If the first attempt takes more than 2 minutes, it will continue to run. - If the first attempt takes less than 2 minutes, there will be a second one. - If the first attempt takes more than 2 minutes but less than 6, there will be a second one. - If the first attempt takes more than 6 minutes, there won't be a second one. Context: https://github.com/elastic/kibana/issues/204812#issuecomment-2552010657 ### Checklist - [x] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios - [ ] [Flaky Test Runner](https://ci-stats.kibana.dev/trigger_flaky_test_runner/1) was used on any tests changed --- .../rules/prebuilt_rules/install_fleet_package_by_url.ts | 6 +++--- .../prebuilt_rules/install_prebuilt_rules_fleet_package.ts | 6 +++--- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_fleet_package_by_url.ts b/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_fleet_package_by_url.ts index b88a848758a8f..c01968e17cd93 100644 --- a/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_fleet_package_by_url.ts +++ b/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_fleet_package_by_url.ts @@ -13,7 +13,7 @@ import expect from 'expect'; import { refreshSavedObjectIndices } from '../../refresh_index'; const MAX_RETRIES = 2; -const ATTEMPT_TIMEOUT = 120000; +const TOTAL_TIMEOUT = 6 * 60000; // 6 mins, applies to all attempts (1 + MAX_RETRIES) /** * Installs latest available non-prerelease prebuilt rules package `security_detection_engine`. @@ -46,7 +46,7 @@ export const installPrebuiltRulesPackageViaFleetAPI = async ( }, { retryCount: MAX_RETRIES, - timeout: ATTEMPT_TIMEOUT, + timeout: TOTAL_TIMEOUT, } ); @@ -87,7 +87,7 @@ export const installPrebuiltRulesPackageByVersion = async ( }, { retryCount: MAX_RETRIES, - timeout: ATTEMPT_TIMEOUT, + timeout: TOTAL_TIMEOUT, } ); diff --git a/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_prebuilt_rules_fleet_package.ts b/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_prebuilt_rules_fleet_package.ts index f7a7337d40241..dc5def47abaee 100644 --- a/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_prebuilt_rules_fleet_package.ts +++ b/x-pack/test/security_solution_api_integration/test_suites/detections_response/utils/rules/prebuilt_rules/install_prebuilt_rules_fleet_package.ts @@ -18,7 +18,7 @@ import expect from 'expect'; import { refreshSavedObjectIndices } from '../../refresh_index'; const MAX_RETRIES = 2; -const ATTEMPT_TIMEOUT = 120000; +const TOTAL_TIMEOUT = 6 * 60000; // 6 mins, applies to all attempts (1 + MAX_RETRIES) /** * Installs the `security_detection_engine` package via fleet API. This will @@ -60,7 +60,7 @@ export const installPrebuiltRulesFleetPackage = async ({ }, { retryCount: MAX_RETRIES, - timeout: ATTEMPT_TIMEOUT, + timeout: TOTAL_TIMEOUT, } ); @@ -94,7 +94,7 @@ export const installPrebuiltRulesFleetPackage = async ({ }, { retryCount: MAX_RETRIES, - timeout: ATTEMPT_TIMEOUT, + timeout: TOTAL_TIMEOUT, } ); From f8b7eda222acaaf91f7aeca2fc09e2518cd97f49 Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Sat, 21 Dec 2024 18:09:34 +1100 Subject: [PATCH 29/31] [api-docs] 2024-12-21 Daily api_docs build (#205062) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/928 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- api_docs/ai_assistant_management_selection.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.mdx | 2 +- api_docs/apm.mdx | 2 +- api_docs/apm_data_access.mdx | 2 +- api_docs/asset_inventory.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_data_migration.mdx | 2 +- api_docs/cloud_defend.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/content_management.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.mdx | 2 +- api_docs/data_quality.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_usage.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/dataset_quality.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 2 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/discover_shared.mdx | 2 +- api_docs/ecs_data_quality_dashboard.mdx | 2 +- api_docs/elastic_assistant.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/entities_data_access.mdx | 2 +- api_docs/entity_manager.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/esql.mdx | 2 +- api_docs/esql_data_grid.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_annotation_listing.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/exploratory_view.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/fields_metadata.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/image_embeddable.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/inference.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/ingest_pipelines.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/integration_assistant.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/inventory.mdx | 2 +- api_docs/investigate.mdx | 2 +- api_docs/investigate_app.mdx | 2 +- api_docs/kbn_actions_types.mdx | 2 +- api_docs/kbn_ai_assistant.mdx | 2 +- api_docs/kbn_ai_assistant_common.mdx | 2 +- api_docs/kbn_ai_assistant_icon.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_log_pattern_analysis.mdx | 2 +- api_docs/kbn_aiops_log_rate_analysis.mdx | 2 +- api_docs/kbn_alerting_api_integration_helpers.mdx | 2 +- api_docs/kbn_alerting_comparators.mdx | 2 +- api_docs/kbn_alerting_state_types.mdx | 2 +- api_docs/kbn_alerting_types.mdx | 2 +- api_docs/kbn_alerts_as_data_utils.mdx | 2 +- api_docs/kbn_alerts_grouping.mdx | 2 +- api_docs/kbn_alerts_ui_shared.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_collection_utils.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_data_view.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_synthtrace_client.mdx | 2 +- api_docs/kbn_apm_types.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_avc_banner.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_calculate_auto.mdx | 2 +- api_docs/kbn_calculate_width_from_char_count.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_cbor.mdx | 2 +- api_docs/kbn_cell_actions.mdx | 2 +- api_docs/kbn_chart_expressions_common.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_charts_theme.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_cloud_security_posture.mdx | 2 +- api_docs/kbn_cloud_security_posture_common.mdx | 2 +- api_docs/kbn_cloud_security_posture_graph.mdx | 2 +- api_docs/kbn_code_editor.mdx | 2 +- api_docs/kbn_code_editor_mock.mdx | 2 +- api_docs/kbn_code_owners.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- api_docs/kbn_content_management_content_editor.mdx | 2 +- api_docs/kbn_content_management_content_insights_public.mdx | 2 +- api_docs/kbn_content_management_content_insights_server.mdx | 2 +- api_docs/kbn_content_management_favorites_common.mdx | 2 +- api_docs/kbn_content_management_favorites_public.mdx | 2 +- api_docs/kbn_content_management_favorites_server.mdx | 2 +- api_docs/kbn_content_management_tabbed_table_list_view.mdx | 2 +- api_docs/kbn_content_management_table_list_view.mdx | 2 +- api_docs/kbn_content_management_table_list_view_common.mdx | 2 +- api_docs/kbn_content_management_table_list_view_table.mdx | 2 +- api_docs/kbn_content_management_user_profiles.mdx | 2 +- api_docs/kbn_content_management_utils.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- api_docs/kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- api_docs/kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- api_docs/kbn_core_application_browser_internal.mdx | 2 +- api_docs/kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- api_docs/kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_custom_branding_browser.mdx | 2 +- api_docs/kbn_core_custom_branding_browser_internal.mdx | 2 +- api_docs/kbn_core_custom_branding_browser_mocks.mdx | 2 +- api_docs/kbn_core_custom_branding_common.mdx | 2 +- api_docs/kbn_core_custom_branding_server.mdx | 2 +- api_docs/kbn_core_custom_branding_server_internal.mdx | 2 +- api_docs/kbn_core_custom_branding_server_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- api_docs/kbn_core_deprecations_browser_internal.mdx | 2 +- api_docs/kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- api_docs/kbn_core_deprecations_server_internal.mdx | 2 +- api_docs/kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_internal.mdx | 2 +- api_docs/kbn_core_elasticsearch_server_mocks.mdx | 2 +- api_docs/kbn_core_environment_server_internal.mdx | 2 +- api_docs/kbn_core_environment_server_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_browser.mdx | 2 +- api_docs/kbn_core_execution_context_browser_internal.mdx | 2 +- api_docs/kbn_core_execution_context_browser_mocks.mdx | 2 +- api_docs/kbn_core_execution_context_common.mdx | 2 +- api_docs/kbn_core_execution_context_server.mdx | 2 +- api_docs/kbn_core_execution_context_server_internal.mdx | 2 +- api_docs/kbn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_browser.mdx | 2 +- api_docs/kbn_core_feature_flags_browser_internal.mdx | 2 +- api_docs/kbn_core_feature_flags_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_server.mdx | 2 +- api_docs/kbn_core_feature_flags_server_internal.mdx | 2 +- api_docs/kbn_core_feature_flags_server_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- api_docs/kbn_core_http_context_server_mocks.mdx | 2 +- api_docs/kbn_core_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- api_docs/kbn_core_http_resources_server_internal.mdx | 2 +- api_docs/kbn_core_http_resources_server_mocks.mdx | 2 +- api_docs/kbn_core_http_router_server_internal.mdx | 2 +- api_docs/kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server_utils.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- api_docs/kbn_core_injected_metadata_browser_mocks.mdx | 2 +- api_docs/kbn_core_integrations_browser_internal.mdx | 2 +- api_docs/kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- api_docs/kbn_core_notifications_browser_internal.mdx | 2 +- api_docs/kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- api_docs/kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_contracts_browser.mdx | 2 +- api_docs/kbn_core_plugins_contracts_server.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- api_docs/kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_api_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server.mdx | 2 +- api_docs/kbn_core_saved_objects_api_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- .../kbn_core_saved_objects_import_export_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- api_docs/kbn_core_saved_objects_server_internal.mdx | 2 +- api_docs/kbn_core_saved_objects_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_security_browser.mdx | 2 +- api_docs/kbn_core_security_browser_internal.mdx | 2 +- api_docs/kbn_core_security_browser_mocks.mdx | 2 +- api_docs/kbn_core_security_common.mdx | 2 +- api_docs/kbn_core_security_server.mdx | 2 +- api_docs/kbn_core_security_server_internal.mdx | 2 +- api_docs/kbn_core_security_server_mocks.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- api_docs/kbn_core_test_helpers_deprecations_getters.mdx | 2 +- api_docs/kbn_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- api_docs/kbn_core_test_helpers_model_versions.mdx | 2 +- api_docs/kbn_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- api_docs/kbn_core_ui_settings_server_internal.mdx | 2 +- api_docs/kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- api_docs/kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_browser.mdx | 2 +- api_docs/kbn_core_user_profile_browser_internal.mdx | 2 +- api_docs/kbn_core_user_profile_browser_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_common.mdx | 2 +- api_docs/kbn_core_user_profile_server.mdx | 2 +- api_docs/kbn_core_user_profile_server_internal.mdx | 2 +- api_docs/kbn_core_user_profile_server_mocks.mdx | 2 +- api_docs/kbn_core_user_settings_server.mdx | 2 +- api_docs/kbn_core_user_settings_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_custom_icons.mdx | 2 +- api_docs/kbn_custom_integrations.mdx | 2 +- api_docs/kbn_cypress_config.mdx | 2 +- api_docs/kbn_data_forge.mdx | 2 +- api_docs/kbn_data_service.mdx | 2 +- api_docs/kbn_data_stream_adapter.mdx | 2 +- api_docs/kbn_data_view_utils.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_deeplinks_analytics.mdx | 2 +- api_docs/kbn_deeplinks_devtools.mdx | 2 +- api_docs/kbn_deeplinks_fleet.mdx | 2 +- api_docs/kbn_deeplinks_management.mdx | 2 +- api_docs/kbn_deeplinks_ml.mdx | 2 +- api_docs/kbn_deeplinks_observability.mdx | 2 +- api_docs/kbn_deeplinks_search.mdx | 2 +- api_docs/kbn_deeplinks_security.mdx | 2 +- api_docs/kbn_deeplinks_shared.mdx | 2 +- api_docs/kbn_default_nav_analytics.mdx | 2 +- api_docs/kbn_default_nav_devtools.mdx | 2 +- api_docs/kbn_default_nav_management.mdx | 2 +- api_docs/kbn_default_nav_ml.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- api_docs/kbn_discover_contextual_components.mdx | 2 +- api_docs/kbn_discover_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_dom_drag_drop.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_ecs_data_quality_dashboard.mdx | 2 +- api_docs/kbn_elastic_agent_utils.mdx | 2 +- api_docs/kbn_elastic_assistant.mdx | 2 +- api_docs/kbn_elastic_assistant_common.mdx | 2 +- api_docs/kbn_entities_schema.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_esql_ast.mdx | 2 +- api_docs/kbn_esql_editor.mdx | 2 +- api_docs/kbn_esql_utils.mdx | 2 +- api_docs/kbn_esql_validation_autocomplete.mdx | 2 +- api_docs/kbn_event_annotation_common.mdx | 2 +- api_docs/kbn_event_annotation_components.mdx | 2 +- api_docs/kbn_expandable_flyout.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_field_utils.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_formatters.mdx | 2 +- api_docs/kbn_ftr_common_functional_services.mdx | 2 +- api_docs/kbn_ftr_common_functional_ui_services.mdx | 2 +- api_docs/kbn_gen_ai_functional_testing.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_generate_console_definitions.mdx | 2 +- api_docs/kbn_generate_csv.mdx | 2 +- api_docs/kbn_grid_layout.mdx | 2 +- api_docs/kbn_grouping.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_index_adapter.mdx | 2 +- api_docs/kbn_index_lifecycle_management_common_shared.mdx | 2 +- api_docs/kbn_index_management_shared_types.mdx | 2 +- api_docs/kbn_inference_common.mdx | 2 +- api_docs/kbn_inference_integration_flyout.mdx | 2 +- api_docs/kbn_infra_forge.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_investigation_shared.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_ipynb.mdx | 2 +- api_docs/kbn_item_buffer.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_json_ast.mdx | 2 +- api_docs/kbn_json_schemas.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation.mdx | 2 +- api_docs/kbn_lens_embeddable_utils.mdx | 2 +- api_docs/kbn_lens_formula_docs.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_content_badge.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_management_cards_navigation.mdx | 2 +- api_docs/kbn_management_settings_application.mdx | 2 +- api_docs/kbn_management_settings_components_field_category.mdx | 2 +- api_docs/kbn_management_settings_components_field_input.mdx | 2 +- api_docs/kbn_management_settings_components_field_row.mdx | 2 +- api_docs/kbn_management_settings_components_form.mdx | 2 +- api_docs/kbn_management_settings_field_definition.mdx | 2 +- api_docs/kbn_management_settings_ids.mdx | 2 +- api_docs/kbn_management_settings_section_registry.mdx | 2 +- api_docs/kbn_management_settings_types.mdx | 2 +- api_docs/kbn_management_settings_utilities.mdx | 2 +- api_docs/kbn_management_storybook_config.mdx | 2 +- api_docs/kbn_manifest.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_maps_vector_tile_utils.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_anomaly_utils.mdx | 2 +- api_docs/kbn_ml_cancellable_search.mdx | 2 +- api_docs/kbn_ml_category_validator.mdx | 2 +- api_docs/kbn_ml_chi2test.mdx | 2 +- api_docs/kbn_ml_data_frame_analytics_utils.mdx | 2 +- api_docs/kbn_ml_data_grid.mdx | 2 +- api_docs/kbn_ml_date_picker.mdx | 2 +- api_docs/kbn_ml_date_utils.mdx | 2 +- api_docs/kbn_ml_error_utils.mdx | 2 +- api_docs/kbn_ml_field_stats_flyout.mdx | 2 +- api_docs/kbn_ml_in_memory_table.mdx | 2 +- api_docs/kbn_ml_is_defined.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_kibana_theme.mdx | 2 +- api_docs/kbn_ml_local_storage.mdx | 2 +- api_docs/kbn_ml_nested_property.mdx | 2 +- api_docs/kbn_ml_number_utils.mdx | 2 +- api_docs/kbn_ml_parse_interval.mdx | 2 +- api_docs/kbn_ml_query_utils.mdx | 2 +- api_docs/kbn_ml_random_sampler_utils.mdx | 2 +- api_docs/kbn_ml_route_utils.mdx | 2 +- api_docs/kbn_ml_runtime_field_utils.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_ml_time_buckets.mdx | 2 +- api_docs/kbn_ml_trained_models_utils.mdx | 2 +- api_docs/kbn_ml_ui_actions.mdx | 2 +- api_docs/kbn_ml_url_state.mdx | 2 +- api_docs/kbn_ml_validators.mdx | 2 +- api_docs/kbn_mock_idp_utils.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_object_versioning.mdx | 2 +- api_docs/kbn_object_versioning_utils.mdx | 2 +- api_docs/kbn_observability_alert_details.mdx | 2 +- api_docs/kbn_observability_alerting_rule_utils.mdx | 2 +- api_docs/kbn_observability_alerting_test_data.mdx | 2 +- api_docs/kbn_observability_get_padded_alert_time_range_util.mdx | 2 +- api_docs/kbn_observability_logs_overview.mdx | 2 +- api_docs/kbn_observability_synthetics_test_data.mdx | 2 +- api_docs/kbn_openapi_bundler.mdx | 2 +- api_docs/kbn_openapi_generator.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_palettes.mdx | 2 +- api_docs/kbn_panel_loader.mdx | 2 +- api_docs/kbn_performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_check.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_presentation_containers.mdx | 2 +- api_docs/kbn_presentation_publishing.mdx | 2 +- api_docs/kbn_product_doc_artifact_builder.mdx | 2 +- api_docs/kbn_product_doc_common.mdx | 2 +- api_docs/kbn_profiling_utils.mdx | 2 +- api_docs/kbn_random_sampling.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_react_hooks.mdx | 2 +- api_docs/kbn_react_kibana_context_common.mdx | 2 +- api_docs/kbn_react_kibana_context_render.mdx | 2 +- api_docs/kbn_react_kibana_context_root.mdx | 2 +- api_docs/kbn_react_kibana_context_styled.mdx | 2 +- api_docs/kbn_react_kibana_context_theme.mdx | 2 +- api_docs/kbn_react_kibana_mount.mdx | 2 +- api_docs/kbn_react_mute_legacy_root_warning.mdx | 2 +- api_docs/kbn_recently_accessed.mdx | 2 +- api_docs/kbn_relocate.mdx | 2 +- api_docs/kbn_repo_file_maps.mdx | 2 +- api_docs/kbn_repo_linter.mdx | 2 +- api_docs/kbn_repo_path.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_reporting_common.mdx | 2 +- api_docs/kbn_reporting_csv_share_panel.mdx | 2 +- api_docs/kbn_reporting_export_types_csv.mdx | 2 +- api_docs/kbn_reporting_export_types_csv_common.mdx | 2 +- api_docs/kbn_reporting_export_types_pdf.mdx | 2 +- api_docs/kbn_reporting_export_types_pdf_common.mdx | 2 +- api_docs/kbn_reporting_export_types_png.mdx | 2 +- api_docs/kbn_reporting_export_types_png_common.mdx | 2 +- api_docs/kbn_reporting_mocks_server.mdx | 2 +- api_docs/kbn_reporting_public.mdx | 2 +- api_docs/kbn_reporting_server.mdx | 2 +- api_docs/kbn_resizable_layout.mdx | 2 +- api_docs/kbn_response_ops_feature_flag_service.mdx | 2 +- api_docs/kbn_response_ops_rule_form.mdx | 2 +- api_docs/kbn_response_ops_rule_params.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rollup.mdx | 2 +- api_docs/kbn_router_to_openapispec.mdx | 2 +- api_docs/kbn_router_utils.mdx | 2 +- api_docs/kbn_rrule.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_saved_objects_settings.mdx | 2 +- api_docs/kbn_saved_search_component.mdx | 2 +- api_docs/kbn_scout.mdx | 2 +- api_docs/kbn_scout_info.mdx | 2 +- api_docs/kbn_scout_reporting.mdx | 2 +- api_docs/kbn_screenshotting_server.mdx | 2 +- api_docs/kbn_search_api_keys_components.mdx | 2 +- api_docs/kbn_search_api_keys_server.mdx | 2 +- api_docs/kbn_search_api_panels.mdx | 2 +- api_docs/kbn_search_connectors.mdx | 2 +- api_docs/kbn_search_errors.mdx | 2 +- api_docs/kbn_search_index_documents.mdx | 2 +- api_docs/kbn_search_response_warnings.mdx | 2 +- api_docs/kbn_search_shared_ui.mdx | 2 +- api_docs/kbn_search_types.mdx | 2 +- api_docs/kbn_security_api_key_management.mdx | 2 +- api_docs/kbn_security_authorization_core.mdx | 2 +- api_docs/kbn_security_authorization_core_common.mdx | 2 +- api_docs/kbn_security_form_components.mdx | 2 +- api_docs/kbn_security_hardening.mdx | 2 +- api_docs/kbn_security_plugin_types_common.mdx | 2 +- api_docs/kbn_security_plugin_types_public.mdx | 2 +- api_docs/kbn_security_plugin_types_server.mdx | 2 +- api_docs/kbn_security_role_management_model.mdx | 2 +- api_docs/kbn_security_solution_distribution_bar.mdx | 2 +- api_docs/kbn_security_solution_features.mdx | 2 +- api_docs/kbn_security_solution_navigation.mdx | 2 +- api_docs/kbn_security_solution_side_nav.mdx | 2 +- api_docs/kbn_security_solution_storybook_config.mdx | 2 +- api_docs/kbn_security_ui_components.mdx | 2 +- api_docs/kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_data_table.mdx | 2 +- api_docs/kbn_securitysolution_ecs.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- api_docs/kbn_securitysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_alerting_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- api_docs/kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- api_docs/kbn_server_route_repository_client.mdx | 2 +- api_docs/kbn_server_route_repository_utils.mdx | 2 +- api_docs/kbn_serverless_common_settings.mdx | 2 +- api_docs/kbn_serverless_observability_settings.mdx | 2 +- api_docs/kbn_serverless_project_switcher.mdx | 2 +- api_docs/kbn_serverless_search_settings.mdx | 2 +- api_docs/kbn_serverless_security_settings.mdx | 2 +- api_docs/kbn_serverless_storybook_config.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- api_docs/kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_chrome_navigation.mdx | 2 +- api_docs/kbn_shared_ux_error_boundary.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_picker.mdx | 2 +- api_docs/kbn_shared_ux_file_types.mdx | 2 +- api_docs/kbn_shared_ux_file_upload.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template.mdx | 2 +- api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views.mdx | 2 +- api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_tabbed_modal.mdx | 2 +- api_docs/kbn_shared_ux_table_persist.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_slo_schema.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_predicates.mdx | 2 +- api_docs/kbn_sse_utils.mdx | 2 +- api_docs/kbn_sse_utils_client.mdx | 2 +- api_docs/kbn_sse_utils_server.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_synthetics_e2e.mdx | 2 +- api_docs/kbn_synthetics_private_location.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_eui_helpers.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_timerange.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_transpose_utils.mdx | 2 +- api_docs/kbn_triggers_actions_ui_types.mdx | 2 +- api_docs/kbn_try_in_console.mdx | 2 +- api_docs/kbn_ts_projects.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_actions_browser.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_unified_data_table.mdx | 2 +- api_docs/kbn_unified_doc_viewer.mdx | 2 +- api_docs/kbn_unified_field_list.mdx | 2 +- api_docs/kbn_unsaved_changes_badge.mdx | 2 +- api_docs/kbn_unsaved_changes_prompt.mdx | 2 +- api_docs/kbn_use_tracked_promise.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_visualization_ui_components.mdx | 2 +- api_docs/kbn_visualization_utils.mdx | 2 +- api_docs/kbn_xstate_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kbn_zod.mdx | 2 +- api_docs/kbn_zod_helpers.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/links.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/llm_tasks.mdx | 2 +- api_docs/logs_data_access.mdx | 2 +- api_docs/logs_explorer.mdx | 2 +- api_docs/logs_shared.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/metrics_data_access.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/mock_idp_plugin.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/no_data_page.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/observability_a_i_assistant.mdx | 2 +- api_docs/observability_a_i_assistant_app.mdx | 2 +- api_docs/observability_ai_assistant_management.mdx | 2 +- api_docs/observability_logs_explorer.mdx | 2 +- api_docs/observability_onboarding.mdx | 2 +- api_docs/observability_shared.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/painless_lab.mdx | 2 +- api_docs/plugin_directory.mdx | 2 +- api_docs/presentation_panel.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/product_doc_base.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/profiling_data_access.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/search_assistant.mdx | 2 +- api_docs/search_connectors.mdx | 2 +- api_docs/search_homepage.mdx | 2 +- api_docs/search_indices.mdx | 2 +- api_docs/search_inference_endpoints.mdx | 2 +- api_docs/search_navigation.mdx | 2 +- api_docs/search_notebooks.mdx | 2 +- api_docs/search_playground.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/security_solution_ess.mdx | 2 +- api_docs/security_solution_serverless.mdx | 2 +- api_docs/serverless.mdx | 2 +- api_docs/serverless_observability.mdx | 2 +- api_docs/serverless_search.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/slo.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/streams.mdx | 2 +- api_docs/streams_app.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_doc_viewer.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/uptime.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 777 files changed, 777 insertions(+), 777 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index a4a79b8a6b1ed..5014b27b0e741 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 7e1406976f669..69e91f27a4a50 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/ai_assistant_management_selection.mdx b/api_docs/ai_assistant_management_selection.mdx index 215f824ed1347..2399662625832 100644 --- a/api_docs/ai_assistant_management_selection.mdx +++ b/api_docs/ai_assistant_management_selection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiAssistantManagementSelection title: "aiAssistantManagementSelection" image: https://source.unsplash.com/400x175/?github description: API docs for the aiAssistantManagementSelection plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiAssistantManagementSelection'] --- import aiAssistantManagementSelectionObj from './ai_assistant_management_selection.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 03d785abbbefa..52c5eaeab5323 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index 432f5f36463ec..23a2b48b4d0da 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index 9d06f884fc35c..ef1ce3940b315 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/apm_data_access.mdx b/api_docs/apm_data_access.mdx index 537bd8ac11d7c..dcbd6f7316827 100644 --- a/api_docs/apm_data_access.mdx +++ b/api_docs/apm_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apmDataAccess title: "apmDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the apmDataAccess plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apmDataAccess'] --- import apmDataAccessObj from './apm_data_access.devdocs.json'; diff --git a/api_docs/asset_inventory.mdx b/api_docs/asset_inventory.mdx index 31f546e50fd44..dc472054c762c 100644 --- a/api_docs/asset_inventory.mdx +++ b/api_docs/asset_inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/assetInventory title: "assetInventory" image: https://source.unsplash.com/400x175/?github description: API docs for the assetInventory plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'assetInventory'] --- import assetInventoryObj from './asset_inventory.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index 0d8585fa15bbd..23986e02a936f 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index 3cab7faae3631..f5633760a23c4 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 5d893ada359d1..23b5cd0e0aee4 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index c22cb3eb980bc..c20bec86f078f 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index 9ba8d0355c1fa..8840e5daa9565 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_data_migration.mdx b/api_docs/cloud_data_migration.mdx index 278fcb1420fb5..511e934564175 100644 --- a/api_docs/cloud_data_migration.mdx +++ b/api_docs/cloud_data_migration.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDataMigration title: "cloudDataMigration" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDataMigration plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDataMigration'] --- import cloudDataMigrationObj from './cloud_data_migration.devdocs.json'; diff --git a/api_docs/cloud_defend.mdx b/api_docs/cloud_defend.mdx index aa81d8098c2d3..8ae85b575ecd9 100644 --- a/api_docs/cloud_defend.mdx +++ b/api_docs/cloud_defend.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDefend title: "cloudDefend" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDefend plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDefend'] --- import cloudDefendObj from './cloud_defend.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index eff3bcbe23d42..a088a57715491 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index cd98f15b68c31..602a8657084d0 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/content_management.mdx b/api_docs/content_management.mdx index 768bceeaddcb5..cf519e0d45412 100644 --- a/api_docs/content_management.mdx +++ b/api_docs/content_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/contentManagement title: "contentManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the contentManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'contentManagement'] --- import contentManagementObj from './content_management.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index 1dc7286cd0352..b9f01e918f96c 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index b906fdfe9204d..616b12ae57dac 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index 7718820c80ae8..ce70a2406e9ba 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index 8d6784a90bbc0..446d7803b67d2 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.mdx b/api_docs/data.mdx index d99a2e9c1d574..692507eb404b5 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_quality.mdx b/api_docs/data_quality.mdx index c80150088c26a..214cff3a502aa 100644 --- a/api_docs/data_quality.mdx +++ b/api_docs/data_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataQuality title: "dataQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the dataQuality plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataQuality'] --- import dataQualityObj from './data_quality.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 5203c8a7da972..6cf86b8cdc49a 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index f68f53a0fe4f7..d88981206dd3e 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_usage.mdx b/api_docs/data_usage.mdx index ef33327c4061f..8cb61f3d5c630 100644 --- a/api_docs/data_usage.mdx +++ b/api_docs/data_usage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataUsage title: "dataUsage" image: https://source.unsplash.com/400x175/?github description: API docs for the dataUsage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataUsage'] --- import dataUsageObj from './data_usage.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index e1ecbfe921dbd..208d6b7837c62 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index f59e8555dc879..1ad390ff11bdd 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index 497cd57ef4c71..3516ffd546ec6 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index 2b62a469c25fe..a386583b9e6cb 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index 7711df00d99e2..b794814779c9a 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/dataset_quality.mdx b/api_docs/dataset_quality.mdx index 2d61ba21d36e1..55ae0cbf515b7 100644 --- a/api_docs/dataset_quality.mdx +++ b/api_docs/dataset_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/datasetQuality title: "datasetQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the datasetQuality plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'datasetQuality'] --- import datasetQualityObj from './dataset_quality.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index 152369209e956..b399b94b8ff31 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index 5e10e5c171e84..aaceca125b600 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index 2e011173e893d..a4ca61d0e01ad 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index fe3c338f854ea..91231dd48fa52 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index 04ff3c22432c0..4e321e1d92711 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index 61e0cabc3fea7..1bd1da49497e4 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/discover_shared.mdx b/api_docs/discover_shared.mdx index dc81663802894..ee9ab893c7c41 100644 --- a/api_docs/discover_shared.mdx +++ b/api_docs/discover_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverShared title: "discoverShared" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverShared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverShared'] --- import discoverSharedObj from './discover_shared.devdocs.json'; diff --git a/api_docs/ecs_data_quality_dashboard.mdx b/api_docs/ecs_data_quality_dashboard.mdx index 897fff34634d0..8dd727f0926aa 100644 --- a/api_docs/ecs_data_quality_dashboard.mdx +++ b/api_docs/ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ecsDataQualityDashboard title: "ecsDataQualityDashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the ecsDataQualityDashboard plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ecsDataQualityDashboard'] --- import ecsDataQualityDashboardObj from './ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/elastic_assistant.mdx b/api_docs/elastic_assistant.mdx index 9b4f786863ede..0a59c45e3f7dc 100644 --- a/api_docs/elastic_assistant.mdx +++ b/api_docs/elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/elasticAssistant title: "elasticAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the elasticAssistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'elasticAssistant'] --- import elasticAssistantObj from './elastic_assistant.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index a18e3ef121205..4b570d622bccb 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index 74304e13ba58a..be4f272e87431 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index d8f7741eed861..ad8a1795db027 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 984f413ec3380..5b909385f50c2 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/entities_data_access.mdx b/api_docs/entities_data_access.mdx index 9491520126d2d..fa5bf7f99162a 100644 --- a/api_docs/entities_data_access.mdx +++ b/api_docs/entities_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entitiesDataAccess title: "entitiesDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the entitiesDataAccess plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entitiesDataAccess'] --- import entitiesDataAccessObj from './entities_data_access.devdocs.json'; diff --git a/api_docs/entity_manager.mdx b/api_docs/entity_manager.mdx index dff3b661d2ce4..c3dd86b405911 100644 --- a/api_docs/entity_manager.mdx +++ b/api_docs/entity_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entityManager title: "entityManager" image: https://source.unsplash.com/400x175/?github description: API docs for the entityManager plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entityManager'] --- import entityManagerObj from './entity_manager.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index dd6de6f007865..71caffcc59dc4 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/esql.mdx b/api_docs/esql.mdx index 06f9e1e1ee8a2..d6e91d400abc3 100644 --- a/api_docs/esql.mdx +++ b/api_docs/esql.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esql title: "esql" image: https://source.unsplash.com/400x175/?github description: API docs for the esql plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esql'] --- import esqlObj from './esql.devdocs.json'; diff --git a/api_docs/esql_data_grid.mdx b/api_docs/esql_data_grid.mdx index c39f9543ab94e..51af3ea26eb3a 100644 --- a/api_docs/esql_data_grid.mdx +++ b/api_docs/esql_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esqlDataGrid title: "esqlDataGrid" image: https://source.unsplash.com/400x175/?github description: API docs for the esqlDataGrid plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esqlDataGrid'] --- import esqlDataGridObj from './esql_data_grid.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index cc5f728cc0ecf..0c54debe2a889 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_annotation_listing.mdx b/api_docs/event_annotation_listing.mdx index 674e0945c2a58..1dae7742f24b3 100644 --- a/api_docs/event_annotation_listing.mdx +++ b/api_docs/event_annotation_listing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotationListing title: "eventAnnotationListing" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotationListing plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotationListing'] --- import eventAnnotationListingObj from './event_annotation_listing.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index dcd1df2765878..03129d7db6674 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/exploratory_view.mdx b/api_docs/exploratory_view.mdx index 682b1f21a836c..7da9e02775d6d 100644 --- a/api_docs/exploratory_view.mdx +++ b/api_docs/exploratory_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/exploratoryView title: "exploratoryView" image: https://source.unsplash.com/400x175/?github description: API docs for the exploratoryView plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'exploratoryView'] --- import exploratoryViewObj from './exploratory_view.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index 4b7335927037f..183c54de12bd3 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index 73f47a32aff1a..c52ada151e8f4 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index 82c81adbddcd4..4dcdc96a60443 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index ed8a2d575988f..1c230f566f580 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index 8dc6dce8819d0..01f9065222434 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index d8cb5ef998d39..597da36501111 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index cbdf9035f15da..b29a2e23de57e 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index 9988941f73c4a..bdfeac1d02fd3 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 76f850c18c77f..297e1bd7084b0 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 01032a0a6bb91..4318579722be4 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 58419066c0cf0..64e56019df5df 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index 23cdafe55b442..d64105445b312 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index 9aa8b5a6aff83..6c714fdeebbc5 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index fc4dee21e0fda..b897076de3b40 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index d52541cd13519..1c879a80fa8dd 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index db67b876a483a..13d415fa3ec28 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/fields_metadata.mdx b/api_docs/fields_metadata.mdx index ea4b13483e787..afa40973bae7c 100644 --- a/api_docs/fields_metadata.mdx +++ b/api_docs/fields_metadata.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldsMetadata title: "fieldsMetadata" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldsMetadata plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldsMetadata'] --- import fieldsMetadataObj from './fields_metadata.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index cb6cb433742ee..221e81a16808a 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index 5387e55b342d6..6a87c4fed29ac 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index 01c52592739f5..676a72f40d6eb 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index 81a43616f4454..3fc57da88c820 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index d227d20686df8..94b9ad8bc886b 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index 83f3a88c3f863..3d2c347af05f6 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index 3b4d5f03c62c7..3176ea2385b88 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/image_embeddable.mdx b/api_docs/image_embeddable.mdx index 61a76851611e4..e3b759747b3a6 100644 --- a/api_docs/image_embeddable.mdx +++ b/api_docs/image_embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/imageEmbeddable title: "imageEmbeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the imageEmbeddable plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'imageEmbeddable'] --- import imageEmbeddableObj from './image_embeddable.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index 620f8be0fcb1e..ce339d60a3370 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index 89e75ad8d4c02..cb03176f66237 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/inference.mdx b/api_docs/inference.mdx index dba8c739f8dec..da41bfbd4cbc0 100644 --- a/api_docs/inference.mdx +++ b/api_docs/inference.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inference title: "inference" image: https://source.unsplash.com/400x175/?github description: API docs for the inference plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inference'] --- import inferenceObj from './inference.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index 77c34b56d8ac3..c09d554350c3b 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/ingest_pipelines.mdx b/api_docs/ingest_pipelines.mdx index 54ac1c635983c..45f8e8e955e73 100644 --- a/api_docs/ingest_pipelines.mdx +++ b/api_docs/ingest_pipelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ingestPipelines title: "ingestPipelines" image: https://source.unsplash.com/400x175/?github description: API docs for the ingestPipelines plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ingestPipelines'] --- import ingestPipelinesObj from './ingest_pipelines.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index 55fcf78073734..e3752dde6f56e 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/integration_assistant.mdx b/api_docs/integration_assistant.mdx index 96280c4812a3a..472b4780a960d 100644 --- a/api_docs/integration_assistant.mdx +++ b/api_docs/integration_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/integrationAssistant title: "integrationAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the integrationAssistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'integrationAssistant'] --- import integrationAssistantObj from './integration_assistant.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index f0ae96a4dd82c..73eec57b8fd06 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/inventory.mdx b/api_docs/inventory.mdx index 06d6c01ca35a6..5cf43745a3015 100644 --- a/api_docs/inventory.mdx +++ b/api_docs/inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inventory title: "inventory" image: https://source.unsplash.com/400x175/?github description: API docs for the inventory plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inventory'] --- import inventoryObj from './inventory.devdocs.json'; diff --git a/api_docs/investigate.mdx b/api_docs/investigate.mdx index 0ff8764a4b8f0..3d9a6d8665eae 100644 --- a/api_docs/investigate.mdx +++ b/api_docs/investigate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigate title: "investigate" image: https://source.unsplash.com/400x175/?github description: API docs for the investigate plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigate'] --- import investigateObj from './investigate.devdocs.json'; diff --git a/api_docs/investigate_app.mdx b/api_docs/investigate_app.mdx index 45422816050f4..4c4ea403b9c6f 100644 --- a/api_docs/investigate_app.mdx +++ b/api_docs/investigate_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigateApp title: "investigateApp" image: https://source.unsplash.com/400x175/?github description: API docs for the investigateApp plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigateApp'] --- import investigateAppObj from './investigate_app.devdocs.json'; diff --git a/api_docs/kbn_actions_types.mdx b/api_docs/kbn_actions_types.mdx index 50dbe95ebc25e..1174eda1f685b 100644 --- a/api_docs/kbn_actions_types.mdx +++ b/api_docs/kbn_actions_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-actions-types title: "@kbn/actions-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/actions-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/actions-types'] --- import kbnActionsTypesObj from './kbn_actions_types.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant.mdx b/api_docs/kbn_ai_assistant.mdx index bac7eab73ace6..edb2907600e0c 100644 --- a/api_docs/kbn_ai_assistant.mdx +++ b/api_docs/kbn_ai_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant title: "@kbn/ai-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant'] --- import kbnAiAssistantObj from './kbn_ai_assistant.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_common.mdx b/api_docs/kbn_ai_assistant_common.mdx index e0a2d2568e74c..152c159879560 100644 --- a/api_docs/kbn_ai_assistant_common.mdx +++ b/api_docs/kbn_ai_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-common title: "@kbn/ai-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-common'] --- import kbnAiAssistantCommonObj from './kbn_ai_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_icon.mdx b/api_docs/kbn_ai_assistant_icon.mdx index afbe7071396d4..9355045c41f12 100644 --- a/api_docs/kbn_ai_assistant_icon.mdx +++ b/api_docs/kbn_ai_assistant_icon.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-icon title: "@kbn/ai-assistant-icon" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-icon plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-icon'] --- import kbnAiAssistantIconObj from './kbn_ai_assistant_icon.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index 509e7cf9421f5..de7329bd41c70 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_pattern_analysis.mdx b/api_docs/kbn_aiops_log_pattern_analysis.mdx index 2d9d4404b043c..dbd6265bd7d39 100644 --- a/api_docs/kbn_aiops_log_pattern_analysis.mdx +++ b/api_docs/kbn_aiops_log_pattern_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-pattern-analysis title: "@kbn/aiops-log-pattern-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-pattern-analysis plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-pattern-analysis'] --- import kbnAiopsLogPatternAnalysisObj from './kbn_aiops_log_pattern_analysis.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_rate_analysis.mdx b/api_docs/kbn_aiops_log_rate_analysis.mdx index b68b5bfbc1974..da2b660f416e6 100644 --- a/api_docs/kbn_aiops_log_rate_analysis.mdx +++ b/api_docs/kbn_aiops_log_rate_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-rate-analysis title: "@kbn/aiops-log-rate-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-rate-analysis plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-rate-analysis'] --- import kbnAiopsLogRateAnalysisObj from './kbn_aiops_log_rate_analysis.devdocs.json'; diff --git a/api_docs/kbn_alerting_api_integration_helpers.mdx b/api_docs/kbn_alerting_api_integration_helpers.mdx index 8770a1494326d..edc9c12de5374 100644 --- a/api_docs/kbn_alerting_api_integration_helpers.mdx +++ b/api_docs/kbn_alerting_api_integration_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-api-integration-helpers title: "@kbn/alerting-api-integration-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-api-integration-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-api-integration-helpers'] --- import kbnAlertingApiIntegrationHelpersObj from './kbn_alerting_api_integration_helpers.devdocs.json'; diff --git a/api_docs/kbn_alerting_comparators.mdx b/api_docs/kbn_alerting_comparators.mdx index 2a33b31e316ab..55e94b50e2dea 100644 --- a/api_docs/kbn_alerting_comparators.mdx +++ b/api_docs/kbn_alerting_comparators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-comparators title: "@kbn/alerting-comparators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-comparators plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-comparators'] --- import kbnAlertingComparatorsObj from './kbn_alerting_comparators.devdocs.json'; diff --git a/api_docs/kbn_alerting_state_types.mdx b/api_docs/kbn_alerting_state_types.mdx index 7504bf0cc7227..2a56c4b820c97 100644 --- a/api_docs/kbn_alerting_state_types.mdx +++ b/api_docs/kbn_alerting_state_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-state-types title: "@kbn/alerting-state-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-state-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-state-types'] --- import kbnAlertingStateTypesObj from './kbn_alerting_state_types.devdocs.json'; diff --git a/api_docs/kbn_alerting_types.mdx b/api_docs/kbn_alerting_types.mdx index a27c9d5753fad..ce1819817fa78 100644 --- a/api_docs/kbn_alerting_types.mdx +++ b/api_docs/kbn_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-types title: "@kbn/alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-types'] --- import kbnAlertingTypesObj from './kbn_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_alerts_as_data_utils.mdx b/api_docs/kbn_alerts_as_data_utils.mdx index 0023e534c8018..8e1ad36523c4e 100644 --- a/api_docs/kbn_alerts_as_data_utils.mdx +++ b/api_docs/kbn_alerts_as_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-as-data-utils title: "@kbn/alerts-as-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-as-data-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-as-data-utils'] --- import kbnAlertsAsDataUtilsObj from './kbn_alerts_as_data_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts_grouping.mdx b/api_docs/kbn_alerts_grouping.mdx index d0d05d34d87e1..00879218963a1 100644 --- a/api_docs/kbn_alerts_grouping.mdx +++ b/api_docs/kbn_alerts_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-grouping title: "@kbn/alerts-grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-grouping plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-grouping'] --- import kbnAlertsGroupingObj from './kbn_alerts_grouping.devdocs.json'; diff --git a/api_docs/kbn_alerts_ui_shared.mdx b/api_docs/kbn_alerts_ui_shared.mdx index e38dc65bfc7b5..4ee1f57f05454 100644 --- a/api_docs/kbn_alerts_ui_shared.mdx +++ b/api_docs/kbn_alerts_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-ui-shared title: "@kbn/alerts-ui-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-ui-shared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-ui-shared'] --- import kbnAlertsUiSharedObj from './kbn_alerts_ui_shared.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index 4cd898b362563..335d312ef242d 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_collection_utils.mdx b/api_docs/kbn_analytics_collection_utils.mdx index 05b6d019edccf..0f516268602d7 100644 --- a/api_docs/kbn_analytics_collection_utils.mdx +++ b/api_docs/kbn_analytics_collection_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-collection-utils title: "@kbn/analytics-collection-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-collection-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-collection-utils'] --- import kbnAnalyticsCollectionUtilsObj from './kbn_analytics_collection_utils.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 41c848afa11aa..8bc052254ec24 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_data_view.mdx b/api_docs/kbn_apm_data_view.mdx index c9ac846e77e92..fb051978f767c 100644 --- a/api_docs/kbn_apm_data_view.mdx +++ b/api_docs/kbn_apm_data_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-data-view title: "@kbn/apm-data-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-data-view plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-data-view'] --- import kbnApmDataViewObj from './kbn_apm_data_view.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index 3575c2dac7f0e..1fd4be6589dbb 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace_client.mdx b/api_docs/kbn_apm_synthtrace_client.mdx index 217bc427e0951..ed3398de79077 100644 --- a/api_docs/kbn_apm_synthtrace_client.mdx +++ b/api_docs/kbn_apm_synthtrace_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace-client title: "@kbn/apm-synthtrace-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace-client plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace-client'] --- import kbnApmSynthtraceClientObj from './kbn_apm_synthtrace_client.devdocs.json'; diff --git a/api_docs/kbn_apm_types.mdx b/api_docs/kbn_apm_types.mdx index 196d10eb731fc..3c17b4956960d 100644 --- a/api_docs/kbn_apm_types.mdx +++ b/api_docs/kbn_apm_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-types title: "@kbn/apm-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-types'] --- import kbnApmTypesObj from './kbn_apm_types.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index 76329e1afc39b..29d9260127d1d 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_avc_banner.mdx b/api_docs/kbn_avc_banner.mdx index caf1c5d429f3c..e923930b87787 100644 --- a/api_docs/kbn_avc_banner.mdx +++ b/api_docs/kbn_avc_banner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-avc-banner title: "@kbn/avc-banner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/avc-banner plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/avc-banner'] --- import kbnAvcBannerObj from './kbn_avc_banner.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index 9c157a55f46b1..28b610fa20e1b 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_calculate_auto.mdx b/api_docs/kbn_calculate_auto.mdx index 675a7a5092557..436ceaf684322 100644 --- a/api_docs/kbn_calculate_auto.mdx +++ b/api_docs/kbn_calculate_auto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-auto title: "@kbn/calculate-auto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-auto plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-auto'] --- import kbnCalculateAutoObj from './kbn_calculate_auto.devdocs.json'; diff --git a/api_docs/kbn_calculate_width_from_char_count.mdx b/api_docs/kbn_calculate_width_from_char_count.mdx index 51651f273cbe8..17a091efbd6b4 100644 --- a/api_docs/kbn_calculate_width_from_char_count.mdx +++ b/api_docs/kbn_calculate_width_from_char_count.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-width-from-char-count title: "@kbn/calculate-width-from-char-count" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-width-from-char-count plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-width-from-char-count'] --- import kbnCalculateWidthFromCharCountObj from './kbn_calculate_width_from_char_count.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index fde591fc10014..6f34875b175ec 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_cbor.mdx b/api_docs/kbn_cbor.mdx index f12c86b8c372a..0a2c5167278ca 100644 --- a/api_docs/kbn_cbor.mdx +++ b/api_docs/kbn_cbor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cbor title: "@kbn/cbor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cbor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cbor'] --- import kbnCborObj from './kbn_cbor.devdocs.json'; diff --git a/api_docs/kbn_cell_actions.mdx b/api_docs/kbn_cell_actions.mdx index 12c259a305df0..043f1738a6234 100644 --- a/api_docs/kbn_cell_actions.mdx +++ b/api_docs/kbn_cell_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cell-actions title: "@kbn/cell-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cell-actions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cell-actions'] --- import kbnCellActionsObj from './kbn_cell_actions.devdocs.json'; diff --git a/api_docs/kbn_chart_expressions_common.mdx b/api_docs/kbn_chart_expressions_common.mdx index 7ba3c50acaaec..bdc395db63bb1 100644 --- a/api_docs/kbn_chart_expressions_common.mdx +++ b/api_docs/kbn_chart_expressions_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-expressions-common title: "@kbn/chart-expressions-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-expressions-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-expressions-common'] --- import kbnChartExpressionsCommonObj from './kbn_chart_expressions_common.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index 08e331a996f8c..06dcd82336179 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_charts_theme.mdx b/api_docs/kbn_charts_theme.mdx index fa40d7ff109b9..d5893a5647b7d 100644 --- a/api_docs/kbn_charts_theme.mdx +++ b/api_docs/kbn_charts_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-charts-theme title: "@kbn/charts-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/charts-theme plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/charts-theme'] --- import kbnChartsThemeObj from './kbn_charts_theme.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index 6d0a34928c780..fda49ea5775f0 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index eedbec57704b8..5692fa4897584 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index cc92e1133810b..9d37567497756 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index e15befc0a6f19..6d4adb6932444 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture.mdx b/api_docs/kbn_cloud_security_posture.mdx index b5cc896786e88..5338d93a63a1a 100644 --- a/api_docs/kbn_cloud_security_posture.mdx +++ b/api_docs/kbn_cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture title: "@kbn/cloud-security-posture" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture'] --- import kbnCloudSecurityPostureObj from './kbn_cloud_security_posture.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_common.mdx b/api_docs/kbn_cloud_security_posture_common.mdx index 768cf9f4553ce..94d72eb490db1 100644 --- a/api_docs/kbn_cloud_security_posture_common.mdx +++ b/api_docs/kbn_cloud_security_posture_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-common title: "@kbn/cloud-security-posture-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-common'] --- import kbnCloudSecurityPostureCommonObj from './kbn_cloud_security_posture_common.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_graph.mdx b/api_docs/kbn_cloud_security_posture_graph.mdx index b6cba09592d06..f9af4c49f1387 100644 --- a/api_docs/kbn_cloud_security_posture_graph.mdx +++ b/api_docs/kbn_cloud_security_posture_graph.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-graph title: "@kbn/cloud-security-posture-graph" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-graph plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-graph'] --- import kbnCloudSecurityPostureGraphObj from './kbn_cloud_security_posture_graph.devdocs.json'; diff --git a/api_docs/kbn_code_editor.mdx b/api_docs/kbn_code_editor.mdx index e31399c9cd880..cb33493fcb4d0 100644 --- a/api_docs/kbn_code_editor.mdx +++ b/api_docs/kbn_code_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor title: "@kbn/code-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor'] --- import kbnCodeEditorObj from './kbn_code_editor.devdocs.json'; diff --git a/api_docs/kbn_code_editor_mock.mdx b/api_docs/kbn_code_editor_mock.mdx index 0cb78ef0df564..24d0ab7cdcde5 100644 --- a/api_docs/kbn_code_editor_mock.mdx +++ b/api_docs/kbn_code_editor_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor-mock title: "@kbn/code-editor-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor-mock plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor-mock'] --- import kbnCodeEditorMockObj from './kbn_code_editor_mock.devdocs.json'; diff --git a/api_docs/kbn_code_owners.mdx b/api_docs/kbn_code_owners.mdx index 4f6449c668b38..4c5ae22f822ac 100644 --- a/api_docs/kbn_code_owners.mdx +++ b/api_docs/kbn_code_owners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-owners title: "@kbn/code-owners" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-owners plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-owners'] --- import kbnCodeOwnersObj from './kbn_code_owners.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index 8295641d1b3df..2ee002e2829e1 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index cb8f6be1bff8f..e920d1eef70cc 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index db55294576844..399fc05adfe2a 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 7784ca07a6d3d..9bf5a8181986f 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_editor.mdx b/api_docs/kbn_content_management_content_editor.mdx index de47fa479beab..34324978dcf7f 100644 --- a/api_docs/kbn_content_management_content_editor.mdx +++ b/api_docs/kbn_content_management_content_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-editor title: "@kbn/content-management-content-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-editor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-editor'] --- import kbnContentManagementContentEditorObj from './kbn_content_management_content_editor.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_public.mdx b/api_docs/kbn_content_management_content_insights_public.mdx index ee8de34e26f30..5deefb8409571 100644 --- a/api_docs/kbn_content_management_content_insights_public.mdx +++ b/api_docs/kbn_content_management_content_insights_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-public title: "@kbn/content-management-content-insights-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-public plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-public'] --- import kbnContentManagementContentInsightsPublicObj from './kbn_content_management_content_insights_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_server.mdx b/api_docs/kbn_content_management_content_insights_server.mdx index aafb257bb4ea9..a6611db9e7ab7 100644 --- a/api_docs/kbn_content_management_content_insights_server.mdx +++ b/api_docs/kbn_content_management_content_insights_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-server title: "@kbn/content-management-content-insights-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-server'] --- import kbnContentManagementContentInsightsServerObj from './kbn_content_management_content_insights_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_common.mdx b/api_docs/kbn_content_management_favorites_common.mdx index 23b806ee1396d..300acefce8e92 100644 --- a/api_docs/kbn_content_management_favorites_common.mdx +++ b/api_docs/kbn_content_management_favorites_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-common title: "@kbn/content-management-favorites-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-common'] --- import kbnContentManagementFavoritesCommonObj from './kbn_content_management_favorites_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_public.mdx b/api_docs/kbn_content_management_favorites_public.mdx index da9d79bd0fdb9..1006263ca0620 100644 --- a/api_docs/kbn_content_management_favorites_public.mdx +++ b/api_docs/kbn_content_management_favorites_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-public title: "@kbn/content-management-favorites-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-public plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-public'] --- import kbnContentManagementFavoritesPublicObj from './kbn_content_management_favorites_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_server.mdx b/api_docs/kbn_content_management_favorites_server.mdx index 10df14a64bac3..020a4d47c34ea 100644 --- a/api_docs/kbn_content_management_favorites_server.mdx +++ b/api_docs/kbn_content_management_favorites_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-server title: "@kbn/content-management-favorites-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-server'] --- import kbnContentManagementFavoritesServerObj from './kbn_content_management_favorites_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_tabbed_table_list_view.mdx b/api_docs/kbn_content_management_tabbed_table_list_view.mdx index abec810cd6568..22c136117608f 100644 --- a/api_docs/kbn_content_management_tabbed_table_list_view.mdx +++ b/api_docs/kbn_content_management_tabbed_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-tabbed-table-list-view title: "@kbn/content-management-tabbed-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-tabbed-table-list-view plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-tabbed-table-list-view'] --- import kbnContentManagementTabbedTableListViewObj from './kbn_content_management_tabbed_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view.mdx b/api_docs/kbn_content_management_table_list_view.mdx index cf371473b2a8c..9bee9fd32629c 100644 --- a/api_docs/kbn_content_management_table_list_view.mdx +++ b/api_docs/kbn_content_management_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view title: "@kbn/content-management-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view'] --- import kbnContentManagementTableListViewObj from './kbn_content_management_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_common.mdx b/api_docs/kbn_content_management_table_list_view_common.mdx index 29ac735f5e7d8..d8295b30b60b3 100644 --- a/api_docs/kbn_content_management_table_list_view_common.mdx +++ b/api_docs/kbn_content_management_table_list_view_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-common title: "@kbn/content-management-table-list-view-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-common'] --- import kbnContentManagementTableListViewCommonObj from './kbn_content_management_table_list_view_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_table.mdx b/api_docs/kbn_content_management_table_list_view_table.mdx index f0df2489224dc..cb971a03c242a 100644 --- a/api_docs/kbn_content_management_table_list_view_table.mdx +++ b/api_docs/kbn_content_management_table_list_view_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-table title: "@kbn/content-management-table-list-view-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-table plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-table'] --- import kbnContentManagementTableListViewTableObj from './kbn_content_management_table_list_view_table.devdocs.json'; diff --git a/api_docs/kbn_content_management_user_profiles.mdx b/api_docs/kbn_content_management_user_profiles.mdx index 2a6e73277c1e1..f803a3fba8a6a 100644 --- a/api_docs/kbn_content_management_user_profiles.mdx +++ b/api_docs/kbn_content_management_user_profiles.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-user-profiles title: "@kbn/content-management-user-profiles" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-user-profiles plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-user-profiles'] --- import kbnContentManagementUserProfilesObj from './kbn_content_management_user_profiles.devdocs.json'; diff --git a/api_docs/kbn_content_management_utils.mdx b/api_docs/kbn_content_management_utils.mdx index 9d682857f65da..676066efe4f70 100644 --- a/api_docs/kbn_content_management_utils.mdx +++ b/api_docs/kbn_content_management_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-utils title: "@kbn/content-management-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-utils'] --- import kbnContentManagementUtilsObj from './kbn_content_management_utils.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index 24fc9ec30fd1e..8fc76d78947c1 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index ccf1456d84cbf..7dc99ae4c235d 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index 615647e4487a2..cc61e457bf6fb 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index 3af3816a55074..f303cc15beb13 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index 3cdb0d66ed339..29b06f2d950ac 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index 430435f8d59be..420d2a77b08e7 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index ceb941428273e..625aaec8b9ff2 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index df374531b49e0..0ee151e985f09 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index 0925da7d6dae7..065b74351bccc 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 8d0a627eab162..10d17a48673fd 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index 4c685b0232ac3..54c4dd1272735 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index 9a10cbd7282d2..361f7817ae604 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 708c21d884e03..5e0226c95f2ec 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index 28d81f026dc48..d61a3c8ec9dc5 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index cba7d17fb8cc7..6c3925274843a 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index e27783ffb1f30..6e699db84337a 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index 4cc94820e9d70..428f6a0eec777 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index 7aec9574399c1..dc426342a0efd 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 03b25d4ed202d..5d9f2d55f90bb 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index 4b81d368d5e91..1e12eac392f45 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index 17b79142240ff..434c181ccefed 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 5448a3af0c389..09dd009b34e6e 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index 4d43481510c09..1360648aa6a65 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index cf66a2c775aca..927f74e095b5d 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser.mdx b/api_docs/kbn_core_custom_branding_browser.mdx index 2b23c23033555..278fcaf69b786 100644 --- a/api_docs/kbn_core_custom_branding_browser.mdx +++ b/api_docs/kbn_core_custom_branding_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser title: "@kbn/core-custom-branding-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser'] --- import kbnCoreCustomBrandingBrowserObj from './kbn_core_custom_branding_browser.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_internal.mdx b/api_docs/kbn_core_custom_branding_browser_internal.mdx index 1e43da6c44a90..30531b4b85a00 100644 --- a/api_docs/kbn_core_custom_branding_browser_internal.mdx +++ b/api_docs/kbn_core_custom_branding_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-internal title: "@kbn/core-custom-branding-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-internal'] --- import kbnCoreCustomBrandingBrowserInternalObj from './kbn_core_custom_branding_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_mocks.mdx b/api_docs/kbn_core_custom_branding_browser_mocks.mdx index c5bae47e4cf2a..39c3f7cd666ed 100644 --- a/api_docs/kbn_core_custom_branding_browser_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-mocks title: "@kbn/core-custom-branding-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-mocks'] --- import kbnCoreCustomBrandingBrowserMocksObj from './kbn_core_custom_branding_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_common.mdx b/api_docs/kbn_core_custom_branding_common.mdx index 543d22b5a6a06..bfed72a9cf637 100644 --- a/api_docs/kbn_core_custom_branding_common.mdx +++ b/api_docs/kbn_core_custom_branding_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-common title: "@kbn/core-custom-branding-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-common'] --- import kbnCoreCustomBrandingCommonObj from './kbn_core_custom_branding_common.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server.mdx b/api_docs/kbn_core_custom_branding_server.mdx index fc26e55f62bbf..f919c6e19748d 100644 --- a/api_docs/kbn_core_custom_branding_server.mdx +++ b/api_docs/kbn_core_custom_branding_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server title: "@kbn/core-custom-branding-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server'] --- import kbnCoreCustomBrandingServerObj from './kbn_core_custom_branding_server.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_internal.mdx b/api_docs/kbn_core_custom_branding_server_internal.mdx index 4c785de459c3e..a834c5ab004ed 100644 --- a/api_docs/kbn_core_custom_branding_server_internal.mdx +++ b/api_docs/kbn_core_custom_branding_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-internal title: "@kbn/core-custom-branding-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-internal'] --- import kbnCoreCustomBrandingServerInternalObj from './kbn_core_custom_branding_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_mocks.mdx b/api_docs/kbn_core_custom_branding_server_mocks.mdx index b8e4b48ba7564..e70010588d246 100644 --- a/api_docs/kbn_core_custom_branding_server_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-mocks title: "@kbn/core-custom-branding-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-mocks'] --- import kbnCoreCustomBrandingServerMocksObj from './kbn_core_custom_branding_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index f2cab1385a330..99de80cccad29 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index 1eccc62f27765..8d9aa3ef041b2 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index c5194fd4bac0d..2134c48b829ef 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index 2338d079cf1e6..cd309a5028f7e 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index b73c652beeb88..597d858641bc0 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index f92c8a859ea52..a1b142c1adeef 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index 016bb3a3e2635..7efda4ea0d938 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index 0f799626e966e..c442e75d5a9f7 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index 9e92e5f9d5973..82754eab8a5a0 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index e6cee75019b32..d62d2522dabb2 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index 2073f94d124e8..d34dba687bf39 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index e52db11a73b3b..36d48610a563b 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index b7402f5c6b571..c1e1eb7dee40f 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index 15c19faac2f13..e086f3c90c4ed 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index f4e42009fd0f4..ec73128e3d9a9 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index 9a0fc6d9ca627..a1d3cd346d46d 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index 92563cc945a58..7f8b035254bf1 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index d799eb8e91a3e..a592f03fbb330 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index 23ece3214e325..be003b6dde3f9 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index 07115f1ee6f2a..6ad18f55515f3 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index ea7d689bdc45e..b4e23fcf7060b 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 38fa89e40f586..44e542fe129ec 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index ed8964c22ee4f..717e67543d58f 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index 8c537c394c460..a03e733a6ee8a 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 5b1aa901fd54c..2fe181c9fc44e 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index 4b1037412891e..85939ebf080cc 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index 69c1b0fb65a01..48bb3e94a6658 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser.mdx b/api_docs/kbn_core_feature_flags_browser.mdx index 64ca745263d34..7fa3366fde3a0 100644 --- a/api_docs/kbn_core_feature_flags_browser.mdx +++ b/api_docs/kbn_core_feature_flags_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser title: "@kbn/core-feature-flags-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser'] --- import kbnCoreFeatureFlagsBrowserObj from './kbn_core_feature_flags_browser.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_internal.mdx b/api_docs/kbn_core_feature_flags_browser_internal.mdx index 47809dc6d803b..25dd245097435 100644 --- a/api_docs/kbn_core_feature_flags_browser_internal.mdx +++ b/api_docs/kbn_core_feature_flags_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-internal title: "@kbn/core-feature-flags-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-internal'] --- import kbnCoreFeatureFlagsBrowserInternalObj from './kbn_core_feature_flags_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_mocks.mdx b/api_docs/kbn_core_feature_flags_browser_mocks.mdx index 4758d94de721c..f83213a16c2db 100644 --- a/api_docs/kbn_core_feature_flags_browser_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-mocks title: "@kbn/core-feature-flags-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-mocks'] --- import kbnCoreFeatureFlagsBrowserMocksObj from './kbn_core_feature_flags_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server.mdx b/api_docs/kbn_core_feature_flags_server.mdx index f6588ab2d9f17..5d7165def3647 100644 --- a/api_docs/kbn_core_feature_flags_server.mdx +++ b/api_docs/kbn_core_feature_flags_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server title: "@kbn/core-feature-flags-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server'] --- import kbnCoreFeatureFlagsServerObj from './kbn_core_feature_flags_server.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_internal.mdx b/api_docs/kbn_core_feature_flags_server_internal.mdx index 58b3feb60b6c0..95e23232de300 100644 --- a/api_docs/kbn_core_feature_flags_server_internal.mdx +++ b/api_docs/kbn_core_feature_flags_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-internal title: "@kbn/core-feature-flags-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-internal'] --- import kbnCoreFeatureFlagsServerInternalObj from './kbn_core_feature_flags_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_mocks.mdx b/api_docs/kbn_core_feature_flags_server_mocks.mdx index 5251f50ec510f..9d0fe7337ba19 100644 --- a/api_docs/kbn_core_feature_flags_server_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-mocks title: "@kbn/core-feature-flags-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-mocks'] --- import kbnCoreFeatureFlagsServerMocksObj from './kbn_core_feature_flags_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index 06245bfd4830a..bd39f03d1778e 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 503ae6a409470..1783cf3a78c5b 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index aae380c2cf6f1..d59456e45a92d 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index b593962916b45..ba61cef0066a8 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index f921310f4eb34..db76e849a0a58 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index 3618a296e3041..e2303389cfd78 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index 37194845a6f68..e174f1db4e69a 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 6fa776f2c219a..37d0274f0f534 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index b79d89ca32c7c..eff526fab4234 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index 38ea5fffb6319..413fa0163ab61 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index 40e87a7486065..4edb5ec9566e6 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index cf1ac315ba63f..bab57a7c7c051 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index bea8b5daf9a59..ddff08358b196 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index 0fc4a0a278a2b..bb17a2393bde0 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_utils.mdx b/api_docs/kbn_core_http_server_utils.mdx index 2bd886b37c7fd..fbd6736874ddf 100644 --- a/api_docs/kbn_core_http_server_utils.mdx +++ b/api_docs/kbn_core_http_server_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-utils title: "@kbn/core-http-server-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-utils'] --- import kbnCoreHttpServerUtilsObj from './kbn_core_http_server_utils.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index 9765290619893..682d8bb8ee04c 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 72235aa2ada3e..5fecd79b9b513 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index d2a52bff71339..d48d8852c65d1 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index cac0393f1132c..d3d686ef189bd 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index 424064b36df50..5fb750865168d 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 9f0bd4f627725..4ba0c52e96951 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index fbb7c455e2c99..c3d0046f71799 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index e3cb35d2790e6..e3316f6ef2434 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index f8995ed0c0fba..8e2bab1819dd9 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index 32f25fd29b5b4..b5d6b9ddc4445 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 8736d8d3c6102..363d218a8b88c 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index 9a88dcf732e3e..a3797063e525d 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 08325061b7cd0..3b9373514af0c 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index b6ec1f01e4d2c..125986bd09c61 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index ac470cb5ce0df..e55fa4575a43a 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index 7171c5ff54242..901236b9ed886 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index 72913a7643c6a..82c319c5384d9 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index 809358cd1b712..6c204fe96948f 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index 6a35928cf1851..95a66e7ef15e6 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index 0777e7a4a3cfe..9d0cd840eb18d 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index acaa9e3e7469e..3a0ec563de00e 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index 67ab42d5928c1..795ddb3a85791 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index 3946fbfacf78a..727ef5171dd2a 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index ca3e07c80e8ee..203c087c8a101 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index cd2b5b340af08..150ae0c9a4a77 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index 28b93ebfe8df3..00ce929e60596 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index a9caaffdcb315..80351634642fc 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index d353bf52e6a84..242af33e83dc6 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index 44d8549b35cb8..0d8cce446cf95 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index d88cc75cd23b3..742605d913893 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 5cc351bdd8866..3ca4f5ba60b7c 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index 6352eac36e07c..cd9da1e6251fc 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index 9ce8ef52e5f94..eb0cb979c59be 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index fe046b8fcacf4..eaf18e2a3f1c4 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_browser.mdx b/api_docs/kbn_core_plugins_contracts_browser.mdx index 938c435b201ae..49aebf4a11a6f 100644 --- a/api_docs/kbn_core_plugins_contracts_browser.mdx +++ b/api_docs/kbn_core_plugins_contracts_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-browser title: "@kbn/core-plugins-contracts-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-browser'] --- import kbnCorePluginsContractsBrowserObj from './kbn_core_plugins_contracts_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_server.mdx b/api_docs/kbn_core_plugins_contracts_server.mdx index 5e54c76897558..3a30b36814c4d 100644 --- a/api_docs/kbn_core_plugins_contracts_server.mdx +++ b/api_docs/kbn_core_plugins_contracts_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-server title: "@kbn/core-plugins-contracts-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-server'] --- import kbnCorePluginsContractsServerObj from './kbn_core_plugins_contracts_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index 7f4a8cc3ddf93..249a0e394d63e 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index cc1e79f894315..1bd71845531f6 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 6a57d8de42072..7a8528ff1b8b9 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index 7a1e5387d328e..7ef9d4b6ca20d 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser.mdx b/api_docs/kbn_core_rendering_browser.mdx index 2283536ee2ec6..8fdbf2cb11dc1 100644 --- a/api_docs/kbn_core_rendering_browser.mdx +++ b/api_docs/kbn_core_rendering_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser title: "@kbn/core-rendering-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser'] --- import kbnCoreRenderingBrowserObj from './kbn_core_rendering_browser.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index 3476981d8f28f..b9b989602eeef 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index fc086f0b0c174..b32413585786f 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index 0231b9ae0526b..54f81f21e23b7 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 6a11cf3e2dc33..89161e59d2948 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index 415d15f4b52d1..263b717570586 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index a4ca8eada899e..130f551c93b18 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index 048d053a11f91..9b2e61a74873a 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index e0147286e04a7..c278b023d5822 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index cd60d872ee045..dfa99b79afc02 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index a64c4f019555b..8ea0a9d5f4f54 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index 0ca4163f2f315..d8b6725ea561c 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index 92f24e264877e..8e23bdd7e9950 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index ca547aa58dcf7..c4c75004be901 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index 9e5d1aa676c1a..8aca4d9e21da7 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index 8d1affdb4e196..0952c4e22b27c 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index 58b2542ac8b9b..32bbe896e00f1 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 512dec2001490..01ff3c9fb1906 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index bc2a3606d51b0..22b1b5b816b17 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index e9fd0e52bc45a..96a5e7b02cab2 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 7c0b232a83e47..4d1cf0c2cb698 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index 1b9e81348de91..f31bb825c23e7 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser.mdx b/api_docs/kbn_core_security_browser.mdx index ccd433b04d3c6..c84f65e560572 100644 --- a/api_docs/kbn_core_security_browser.mdx +++ b/api_docs/kbn_core_security_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser title: "@kbn/core-security-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser'] --- import kbnCoreSecurityBrowserObj from './kbn_core_security_browser.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_internal.mdx b/api_docs/kbn_core_security_browser_internal.mdx index e04a2e9a211b8..c0e228e2ca6bc 100644 --- a/api_docs/kbn_core_security_browser_internal.mdx +++ b/api_docs/kbn_core_security_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-internal title: "@kbn/core-security-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-internal'] --- import kbnCoreSecurityBrowserInternalObj from './kbn_core_security_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_mocks.mdx b/api_docs/kbn_core_security_browser_mocks.mdx index 1e0f0a5acdea1..8abba8b3c2ee4 100644 --- a/api_docs/kbn_core_security_browser_mocks.mdx +++ b/api_docs/kbn_core_security_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-mocks title: "@kbn/core-security-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-mocks'] --- import kbnCoreSecurityBrowserMocksObj from './kbn_core_security_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_security_common.mdx b/api_docs/kbn_core_security_common.mdx index bdb3216c7eab8..9048483f20fb7 100644 --- a/api_docs/kbn_core_security_common.mdx +++ b/api_docs/kbn_core_security_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-common title: "@kbn/core-security-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-common'] --- import kbnCoreSecurityCommonObj from './kbn_core_security_common.devdocs.json'; diff --git a/api_docs/kbn_core_security_server.mdx b/api_docs/kbn_core_security_server.mdx index 3c3024ae04f53..98a130e92c850 100644 --- a/api_docs/kbn_core_security_server.mdx +++ b/api_docs/kbn_core_security_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server title: "@kbn/core-security-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server'] --- import kbnCoreSecurityServerObj from './kbn_core_security_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_internal.mdx b/api_docs/kbn_core_security_server_internal.mdx index f954b20c3ac91..6c62b878d1b60 100644 --- a/api_docs/kbn_core_security_server_internal.mdx +++ b/api_docs/kbn_core_security_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-internal title: "@kbn/core-security-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-internal'] --- import kbnCoreSecurityServerInternalObj from './kbn_core_security_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_mocks.mdx b/api_docs/kbn_core_security_server_mocks.mdx index cf88ef5deda72..d6487fd144d97 100644 --- a/api_docs/kbn_core_security_server_mocks.mdx +++ b/api_docs/kbn_core_security_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-mocks title: "@kbn/core-security-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-mocks'] --- import kbnCoreSecurityServerMocksObj from './kbn_core_security_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 546f751e038d5..5c9e15500f2ee 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index 7e04a8f7b4d47..34e582776c9c1 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index 60cc6b6b9a66e..832b528cf9c6c 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index 61bc8aa81412c..fb51fcbfa8b1d 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index 9992d110943a0..975bb5070b1d5 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index 197665da0ddf9..448c4b4ffbeed 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index 4c0bbd24a24c1..4a764dd89293e 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_model_versions.mdx b/api_docs/kbn_core_test_helpers_model_versions.mdx index 6d9caf6813942..c85274cb1bb20 100644 --- a/api_docs/kbn_core_test_helpers_model_versions.mdx +++ b/api_docs/kbn_core_test_helpers_model_versions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-model-versions title: "@kbn/core-test-helpers-model-versions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-model-versions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-model-versions'] --- import kbnCoreTestHelpersModelVersionsObj from './kbn_core_test_helpers_model_versions.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index 093bad4380394..8d9a5089c29af 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index def322da3d903..22740b7697141 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index 1bdf622aaf494..b3360ac6a03be 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index ab1676e17ba75..b3ea8bad17ebb 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index a27a0034f7298..452988c698e4b 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index 5066bdbf58343..d1adc97d16999 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index e5221330d4c08..e734b983c601c 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index e2d56045ccf67..f015cd623c626 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index f9a627bd28643..a12e67e2e6e00 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index 5a4d8043f12c4..83ee4a1a7f6f5 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index 05d1a43e86a1a..c2511de25892d 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index 8e9f12057501d..12854cbf35f1c 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index 918eece11be23..ff9bfff3c00df 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index 122120d406eb8..1541491551be1 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser.mdx b/api_docs/kbn_core_user_profile_browser.mdx index c46e307bc9e04..a48a6d4a602d6 100644 --- a/api_docs/kbn_core_user_profile_browser.mdx +++ b/api_docs/kbn_core_user_profile_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser title: "@kbn/core-user-profile-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser'] --- import kbnCoreUserProfileBrowserObj from './kbn_core_user_profile_browser.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_internal.mdx b/api_docs/kbn_core_user_profile_browser_internal.mdx index cc785d31fe460..eb72873a68f8a 100644 --- a/api_docs/kbn_core_user_profile_browser_internal.mdx +++ b/api_docs/kbn_core_user_profile_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-internal title: "@kbn/core-user-profile-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-internal'] --- import kbnCoreUserProfileBrowserInternalObj from './kbn_core_user_profile_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_mocks.mdx b/api_docs/kbn_core_user_profile_browser_mocks.mdx index 9fb7a253f26f2..4bc925bb493d7 100644 --- a/api_docs/kbn_core_user_profile_browser_mocks.mdx +++ b/api_docs/kbn_core_user_profile_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-mocks title: "@kbn/core-user-profile-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-mocks'] --- import kbnCoreUserProfileBrowserMocksObj from './kbn_core_user_profile_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_common.mdx b/api_docs/kbn_core_user_profile_common.mdx index 642833b90363c..f4215a9a1beb9 100644 --- a/api_docs/kbn_core_user_profile_common.mdx +++ b/api_docs/kbn_core_user_profile_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-common title: "@kbn/core-user-profile-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-common'] --- import kbnCoreUserProfileCommonObj from './kbn_core_user_profile_common.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server.mdx b/api_docs/kbn_core_user_profile_server.mdx index da0b1c14f8974..de2858e8966e5 100644 --- a/api_docs/kbn_core_user_profile_server.mdx +++ b/api_docs/kbn_core_user_profile_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server title: "@kbn/core-user-profile-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server'] --- import kbnCoreUserProfileServerObj from './kbn_core_user_profile_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_internal.mdx b/api_docs/kbn_core_user_profile_server_internal.mdx index 9f7d12779e17c..df6162e450095 100644 --- a/api_docs/kbn_core_user_profile_server_internal.mdx +++ b/api_docs/kbn_core_user_profile_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-internal title: "@kbn/core-user-profile-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-internal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-internal'] --- import kbnCoreUserProfileServerInternalObj from './kbn_core_user_profile_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_mocks.mdx b/api_docs/kbn_core_user_profile_server_mocks.mdx index 98f6a82168077..860597053f047 100644 --- a/api_docs/kbn_core_user_profile_server_mocks.mdx +++ b/api_docs/kbn_core_user_profile_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-mocks title: "@kbn/core-user-profile-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-mocks'] --- import kbnCoreUserProfileServerMocksObj from './kbn_core_user_profile_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server.mdx b/api_docs/kbn_core_user_settings_server.mdx index 01bca392c19da..b4062e4732901 100644 --- a/api_docs/kbn_core_user_settings_server.mdx +++ b/api_docs/kbn_core_user_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server title: "@kbn/core-user-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server'] --- import kbnCoreUserSettingsServerObj from './kbn_core_user_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server_mocks.mdx b/api_docs/kbn_core_user_settings_server_mocks.mdx index 5fea4a690115a..94d5bbf605092 100644 --- a/api_docs/kbn_core_user_settings_server_mocks.mdx +++ b/api_docs/kbn_core_user_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server-mocks title: "@kbn/core-user-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server-mocks'] --- import kbnCoreUserSettingsServerMocksObj from './kbn_core_user_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index 978c86f665dc2..c2587071643c8 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index fa01c8d49023a..955e706f04fb9 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_custom_icons.mdx b/api_docs/kbn_custom_icons.mdx index 611161902893b..5e38358f4dc8e 100644 --- a/api_docs/kbn_custom_icons.mdx +++ b/api_docs/kbn_custom_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-icons title: "@kbn/custom-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-icons plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-icons'] --- import kbnCustomIconsObj from './kbn_custom_icons.devdocs.json'; diff --git a/api_docs/kbn_custom_integrations.mdx b/api_docs/kbn_custom_integrations.mdx index 92f10e1b56d66..6bb2827e3e3bb 100644 --- a/api_docs/kbn_custom_integrations.mdx +++ b/api_docs/kbn_custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-integrations title: "@kbn/custom-integrations" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-integrations plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-integrations'] --- import kbnCustomIntegrationsObj from './kbn_custom_integrations.devdocs.json'; diff --git a/api_docs/kbn_cypress_config.mdx b/api_docs/kbn_cypress_config.mdx index aa93990f68bc5..cdc5b9fcb6a54 100644 --- a/api_docs/kbn_cypress_config.mdx +++ b/api_docs/kbn_cypress_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cypress-config title: "@kbn/cypress-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cypress-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cypress-config'] --- import kbnCypressConfigObj from './kbn_cypress_config.devdocs.json'; diff --git a/api_docs/kbn_data_forge.mdx b/api_docs/kbn_data_forge.mdx index 46223f4f3855f..4304c4dce4e82 100644 --- a/api_docs/kbn_data_forge.mdx +++ b/api_docs/kbn_data_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-forge title: "@kbn/data-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-forge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-forge'] --- import kbnDataForgeObj from './kbn_data_forge.devdocs.json'; diff --git a/api_docs/kbn_data_service.mdx b/api_docs/kbn_data_service.mdx index 5581425d7d084..be0e460f4c852 100644 --- a/api_docs/kbn_data_service.mdx +++ b/api_docs/kbn_data_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-service title: "@kbn/data-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-service plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-service'] --- import kbnDataServiceObj from './kbn_data_service.devdocs.json'; diff --git a/api_docs/kbn_data_stream_adapter.mdx b/api_docs/kbn_data_stream_adapter.mdx index e9971778c447a..50edbe6d01e15 100644 --- a/api_docs/kbn_data_stream_adapter.mdx +++ b/api_docs/kbn_data_stream_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-stream-adapter title: "@kbn/data-stream-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-stream-adapter plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-stream-adapter'] --- import kbnDataStreamAdapterObj from './kbn_data_stream_adapter.devdocs.json'; diff --git a/api_docs/kbn_data_view_utils.mdx b/api_docs/kbn_data_view_utils.mdx index f23d11489dcf6..7b0c42383329a 100644 --- a/api_docs/kbn_data_view_utils.mdx +++ b/api_docs/kbn_data_view_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-view-utils title: "@kbn/data-view-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-view-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-view-utils'] --- import kbnDataViewUtilsObj from './kbn_data_view_utils.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index 67face0ae802a..6e78a864fd93c 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_analytics.mdx b/api_docs/kbn_deeplinks_analytics.mdx index e9883ea7580c1..f66930921fa60 100644 --- a/api_docs/kbn_deeplinks_analytics.mdx +++ b/api_docs/kbn_deeplinks_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-analytics title: "@kbn/deeplinks-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-analytics plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-analytics'] --- import kbnDeeplinksAnalyticsObj from './kbn_deeplinks_analytics.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_devtools.mdx b/api_docs/kbn_deeplinks_devtools.mdx index 1e5d5158be523..6c0af0612afb7 100644 --- a/api_docs/kbn_deeplinks_devtools.mdx +++ b/api_docs/kbn_deeplinks_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-devtools title: "@kbn/deeplinks-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-devtools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-devtools'] --- import kbnDeeplinksDevtoolsObj from './kbn_deeplinks_devtools.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_fleet.mdx b/api_docs/kbn_deeplinks_fleet.mdx index 7053f2bc3f147..358c51c853d9c 100644 --- a/api_docs/kbn_deeplinks_fleet.mdx +++ b/api_docs/kbn_deeplinks_fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-fleet title: "@kbn/deeplinks-fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-fleet plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-fleet'] --- import kbnDeeplinksFleetObj from './kbn_deeplinks_fleet.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_management.mdx b/api_docs/kbn_deeplinks_management.mdx index 2b6da3b4f18e2..c123467b827d2 100644 --- a/api_docs/kbn_deeplinks_management.mdx +++ b/api_docs/kbn_deeplinks_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-management title: "@kbn/deeplinks-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-management plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-management'] --- import kbnDeeplinksManagementObj from './kbn_deeplinks_management.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_ml.mdx b/api_docs/kbn_deeplinks_ml.mdx index ed85b4ce2a2cc..44d80bdb0b287 100644 --- a/api_docs/kbn_deeplinks_ml.mdx +++ b/api_docs/kbn_deeplinks_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-ml title: "@kbn/deeplinks-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-ml plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-ml'] --- import kbnDeeplinksMlObj from './kbn_deeplinks_ml.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_observability.mdx b/api_docs/kbn_deeplinks_observability.mdx index 4bd8e6ddc0d3a..aa57e6df6394d 100644 --- a/api_docs/kbn_deeplinks_observability.mdx +++ b/api_docs/kbn_deeplinks_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-observability title: "@kbn/deeplinks-observability" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-observability plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-observability'] --- import kbnDeeplinksObservabilityObj from './kbn_deeplinks_observability.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_search.mdx b/api_docs/kbn_deeplinks_search.mdx index 2ec7007374724..5ee037d8961dd 100644 --- a/api_docs/kbn_deeplinks_search.mdx +++ b/api_docs/kbn_deeplinks_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-search title: "@kbn/deeplinks-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-search plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-search'] --- import kbnDeeplinksSearchObj from './kbn_deeplinks_search.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_security.mdx b/api_docs/kbn_deeplinks_security.mdx index 3913a113475e9..ca066a4dcebf7 100644 --- a/api_docs/kbn_deeplinks_security.mdx +++ b/api_docs/kbn_deeplinks_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-security title: "@kbn/deeplinks-security" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-security plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-security'] --- import kbnDeeplinksSecurityObj from './kbn_deeplinks_security.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_shared.mdx b/api_docs/kbn_deeplinks_shared.mdx index 49f54ab8c95f6..1e47e6f15aa12 100644 --- a/api_docs/kbn_deeplinks_shared.mdx +++ b/api_docs/kbn_deeplinks_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-shared title: "@kbn/deeplinks-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-shared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-shared'] --- import kbnDeeplinksSharedObj from './kbn_deeplinks_shared.devdocs.json'; diff --git a/api_docs/kbn_default_nav_analytics.mdx b/api_docs/kbn_default_nav_analytics.mdx index db0195a601921..6754e7a7f0c1b 100644 --- a/api_docs/kbn_default_nav_analytics.mdx +++ b/api_docs/kbn_default_nav_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-analytics title: "@kbn/default-nav-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-analytics plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-analytics'] --- import kbnDefaultNavAnalyticsObj from './kbn_default_nav_analytics.devdocs.json'; diff --git a/api_docs/kbn_default_nav_devtools.mdx b/api_docs/kbn_default_nav_devtools.mdx index 62020f84624d7..860c492dd2ed6 100644 --- a/api_docs/kbn_default_nav_devtools.mdx +++ b/api_docs/kbn_default_nav_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-devtools title: "@kbn/default-nav-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-devtools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-devtools'] --- import kbnDefaultNavDevtoolsObj from './kbn_default_nav_devtools.devdocs.json'; diff --git a/api_docs/kbn_default_nav_management.mdx b/api_docs/kbn_default_nav_management.mdx index caac944ff4307..dd5a293af9fe3 100644 --- a/api_docs/kbn_default_nav_management.mdx +++ b/api_docs/kbn_default_nav_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-management title: "@kbn/default-nav-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-management plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-management'] --- import kbnDefaultNavManagementObj from './kbn_default_nav_management.devdocs.json'; diff --git a/api_docs/kbn_default_nav_ml.mdx b/api_docs/kbn_default_nav_ml.mdx index 3bef7693a35de..273eb45b5ec5a 100644 --- a/api_docs/kbn_default_nav_ml.mdx +++ b/api_docs/kbn_default_nav_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-ml title: "@kbn/default-nav-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-ml plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-ml'] --- import kbnDefaultNavMlObj from './kbn_default_nav_ml.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 67db14beb9286..86dc19df1a0f6 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 7cccd5cebc016..2200ae5925eae 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index 02079cddf2c7f..df915af3eef1a 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index 4b5aa39708a4e..dd25fe1f28c6c 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_discover_contextual_components.mdx b/api_docs/kbn_discover_contextual_components.mdx index 647e06078bf36..f1a88913f1ffb 100644 --- a/api_docs/kbn_discover_contextual_components.mdx +++ b/api_docs/kbn_discover_contextual_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-contextual-components title: "@kbn/discover-contextual-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-contextual-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-contextual-components'] --- import kbnDiscoverContextualComponentsObj from './kbn_discover_contextual_components.devdocs.json'; diff --git a/api_docs/kbn_discover_utils.mdx b/api_docs/kbn_discover_utils.mdx index 61cdf5cebbf36..dbe0b806a48c6 100644 --- a/api_docs/kbn_discover_utils.mdx +++ b/api_docs/kbn_discover_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-utils title: "@kbn/discover-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-utils'] --- import kbnDiscoverUtilsObj from './kbn_discover_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index d7f6dcd07cee4..c0af493bd0026 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index bc7eab296d679..1b25fb168f974 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_dom_drag_drop.mdx b/api_docs/kbn_dom_drag_drop.mdx index 3fb8efba53deb..2ab6390c7bb45 100644 --- a/api_docs/kbn_dom_drag_drop.mdx +++ b/api_docs/kbn_dom_drag_drop.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dom-drag-drop title: "@kbn/dom-drag-drop" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dom-drag-drop plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dom-drag-drop'] --- import kbnDomDragDropObj from './kbn_dom_drag_drop.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index e9693f500d761..afc0bbf880140 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_ecs_data_quality_dashboard.mdx b/api_docs/kbn_ecs_data_quality_dashboard.mdx index bc01f3867f608..a24f8bb7d05e6 100644 --- a/api_docs/kbn_ecs_data_quality_dashboard.mdx +++ b/api_docs/kbn_ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ecs-data-quality-dashboard title: "@kbn/ecs-data-quality-dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ecs-data-quality-dashboard plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ecs-data-quality-dashboard'] --- import kbnEcsDataQualityDashboardObj from './kbn_ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/kbn_elastic_agent_utils.mdx b/api_docs/kbn_elastic_agent_utils.mdx index f074da0c48ddb..59b0ffa9301c2 100644 --- a/api_docs/kbn_elastic_agent_utils.mdx +++ b/api_docs/kbn_elastic_agent_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-agent-utils title: "@kbn/elastic-agent-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-agent-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-agent-utils'] --- import kbnElasticAgentUtilsObj from './kbn_elastic_agent_utils.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant.mdx b/api_docs/kbn_elastic_assistant.mdx index 7bfd8f06d16d5..e1a1da8cc7f47 100644 --- a/api_docs/kbn_elastic_assistant.mdx +++ b/api_docs/kbn_elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant title: "@kbn/elastic-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant'] --- import kbnElasticAssistantObj from './kbn_elastic_assistant.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant_common.mdx b/api_docs/kbn_elastic_assistant_common.mdx index cd83622719ed4..8f40d3ecc3d88 100644 --- a/api_docs/kbn_elastic_assistant_common.mdx +++ b/api_docs/kbn_elastic_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant-common title: "@kbn/elastic-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant-common'] --- import kbnElasticAssistantCommonObj from './kbn_elastic_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_entities_schema.mdx b/api_docs/kbn_entities_schema.mdx index 9721a2c571966..3c7261e76820f 100644 --- a/api_docs/kbn_entities_schema.mdx +++ b/api_docs/kbn_entities_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-entities-schema title: "@kbn/entities-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/entities-schema plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/entities-schema'] --- import kbnEntitiesSchemaObj from './kbn_entities_schema.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index b5ee31ad7c093..97c8036bcc30f 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index 6b231f23384da..c3c21b47f263f 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index 9ae11bd897630..f8560578b4326 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index 218950e93e413..506dd327c4367 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index def0a2eef5a45..4559d030913c2 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index 3dac862400de6..c388ace695592 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_esql_ast.mdx b/api_docs/kbn_esql_ast.mdx index e8d02d0a961f4..1876abe29b7fb 100644 --- a/api_docs/kbn_esql_ast.mdx +++ b/api_docs/kbn_esql_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-ast title: "@kbn/esql-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-ast plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-ast'] --- import kbnEsqlAstObj from './kbn_esql_ast.devdocs.json'; diff --git a/api_docs/kbn_esql_editor.mdx b/api_docs/kbn_esql_editor.mdx index 844f0b3b1a791..23b108440f27c 100644 --- a/api_docs/kbn_esql_editor.mdx +++ b/api_docs/kbn_esql_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-editor title: "@kbn/esql-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-editor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-editor'] --- import kbnEsqlEditorObj from './kbn_esql_editor.devdocs.json'; diff --git a/api_docs/kbn_esql_utils.mdx b/api_docs/kbn_esql_utils.mdx index d6b5f821cfa13..1eb871ddf5cea 100644 --- a/api_docs/kbn_esql_utils.mdx +++ b/api_docs/kbn_esql_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-utils title: "@kbn/esql-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-utils'] --- import kbnEsqlUtilsObj from './kbn_esql_utils.devdocs.json'; diff --git a/api_docs/kbn_esql_validation_autocomplete.mdx b/api_docs/kbn_esql_validation_autocomplete.mdx index 58cce434e1b85..7f229a6da5507 100644 --- a/api_docs/kbn_esql_validation_autocomplete.mdx +++ b/api_docs/kbn_esql_validation_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-validation-autocomplete title: "@kbn/esql-validation-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-validation-autocomplete plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-validation-autocomplete'] --- import kbnEsqlValidationAutocompleteObj from './kbn_esql_validation_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_common.mdx b/api_docs/kbn_event_annotation_common.mdx index ec31c4badfda7..3a150c2801473 100644 --- a/api_docs/kbn_event_annotation_common.mdx +++ b/api_docs/kbn_event_annotation_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-common title: "@kbn/event-annotation-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-common'] --- import kbnEventAnnotationCommonObj from './kbn_event_annotation_common.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_components.mdx b/api_docs/kbn_event_annotation_components.mdx index e14246bd6ff09..5305278a47c86 100644 --- a/api_docs/kbn_event_annotation_components.mdx +++ b/api_docs/kbn_event_annotation_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-components title: "@kbn/event-annotation-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-components'] --- import kbnEventAnnotationComponentsObj from './kbn_event_annotation_components.devdocs.json'; diff --git a/api_docs/kbn_expandable_flyout.mdx b/api_docs/kbn_expandable_flyout.mdx index 2be3b000907a0..40b511fcdbf54 100644 --- a/api_docs/kbn_expandable_flyout.mdx +++ b/api_docs/kbn_expandable_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-expandable-flyout title: "@kbn/expandable-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/expandable-flyout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/expandable-flyout'] --- import kbnExpandableFlyoutObj from './kbn_expandable_flyout.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index a2ebadfd13b20..4a87b3ea3c906 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_field_utils.mdx b/api_docs/kbn_field_utils.mdx index 37db8783619b0..a049941572a64 100644 --- a/api_docs/kbn_field_utils.mdx +++ b/api_docs/kbn_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-utils title: "@kbn/field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-utils'] --- import kbnFieldUtilsObj from './kbn_field_utils.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index c7c0f52a4d700..a47ef9b55260c 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_formatters.mdx b/api_docs/kbn_formatters.mdx index cee04bdb9cc4c..0dbcfbd721456 100644 --- a/api_docs/kbn_formatters.mdx +++ b/api_docs/kbn_formatters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-formatters title: "@kbn/formatters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/formatters plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/formatters'] --- import kbnFormattersObj from './kbn_formatters.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index f28ca8a24b0b5..8ba2e2c1890e8 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_ui_services.mdx b/api_docs/kbn_ftr_common_functional_ui_services.mdx index f5958644e8aff..a1517266e1e94 100644 --- a/api_docs/kbn_ftr_common_functional_ui_services.mdx +++ b/api_docs/kbn_ftr_common_functional_ui_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-ui-services title: "@kbn/ftr-common-functional-ui-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-ui-services plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-ui-services'] --- import kbnFtrCommonFunctionalUiServicesObj from './kbn_ftr_common_functional_ui_services.devdocs.json'; diff --git a/api_docs/kbn_gen_ai_functional_testing.mdx b/api_docs/kbn_gen_ai_functional_testing.mdx index 0ca69a389d222..d66f75aa98172 100644 --- a/api_docs/kbn_gen_ai_functional_testing.mdx +++ b/api_docs/kbn_gen_ai_functional_testing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-gen-ai-functional-testing title: "@kbn/gen-ai-functional-testing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/gen-ai-functional-testing plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/gen-ai-functional-testing'] --- import kbnGenAiFunctionalTestingObj from './kbn_gen_ai_functional_testing.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 4bd8fd0f5f6df..7d37e8f380cef 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_generate_console_definitions.mdx b/api_docs/kbn_generate_console_definitions.mdx index 6549341a7321a..e86dc34f8aa04 100644 --- a/api_docs/kbn_generate_console_definitions.mdx +++ b/api_docs/kbn_generate_console_definitions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-console-definitions title: "@kbn/generate-console-definitions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-console-definitions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-console-definitions'] --- import kbnGenerateConsoleDefinitionsObj from './kbn_generate_console_definitions.devdocs.json'; diff --git a/api_docs/kbn_generate_csv.mdx b/api_docs/kbn_generate_csv.mdx index abc886c857385..3268d4e879c16 100644 --- a/api_docs/kbn_generate_csv.mdx +++ b/api_docs/kbn_generate_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-csv title: "@kbn/generate-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-csv plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-csv'] --- import kbnGenerateCsvObj from './kbn_generate_csv.devdocs.json'; diff --git a/api_docs/kbn_grid_layout.mdx b/api_docs/kbn_grid_layout.mdx index 3d3800197aef8..6c905576c2619 100644 --- a/api_docs/kbn_grid_layout.mdx +++ b/api_docs/kbn_grid_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grid-layout title: "@kbn/grid-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grid-layout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grid-layout'] --- import kbnGridLayoutObj from './kbn_grid_layout.devdocs.json'; diff --git a/api_docs/kbn_grouping.mdx b/api_docs/kbn_grouping.mdx index 22d60a6f1959e..9e77e7f83b7d0 100644 --- a/api_docs/kbn_grouping.mdx +++ b/api_docs/kbn_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grouping title: "@kbn/grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grouping plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grouping'] --- import kbnGroupingObj from './kbn_grouping.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index d5117fee94b3b..def52d41eb98e 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index 582938f517b8b..08c3a8c7f6ff9 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index 5246e2519f37f..a4e2f9e5f0c4b 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index f05af139a308b..3f3841ee58b6f 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index e652b17f8fbe7..e9ab6914bddcc 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index 0c33c90d15d77..fe3c7bdbaeced 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 30d94d432f16b..1494eb2eb6d61 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index 267cb80eb722a..d5f033a92cd93 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index cf2565b1ce18a..de7d5b712f452 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_index_adapter.mdx b/api_docs/kbn_index_adapter.mdx index f197e622dfbd6..5a37624231023 100644 --- a/api_docs/kbn_index_adapter.mdx +++ b/api_docs/kbn_index_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-adapter title: "@kbn/index-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-adapter plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-adapter'] --- import kbnIndexAdapterObj from './kbn_index_adapter.devdocs.json'; diff --git a/api_docs/kbn_index_lifecycle_management_common_shared.mdx b/api_docs/kbn_index_lifecycle_management_common_shared.mdx index 966f5abd4440d..a80b3d14a5303 100644 --- a/api_docs/kbn_index_lifecycle_management_common_shared.mdx +++ b/api_docs/kbn_index_lifecycle_management_common_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-lifecycle-management-common-shared title: "@kbn/index-lifecycle-management-common-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-lifecycle-management-common-shared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-lifecycle-management-common-shared'] --- import kbnIndexLifecycleManagementCommonSharedObj from './kbn_index_lifecycle_management_common_shared.devdocs.json'; diff --git a/api_docs/kbn_index_management_shared_types.mdx b/api_docs/kbn_index_management_shared_types.mdx index a11b5b763ef97..fde9a9eb88081 100644 --- a/api_docs/kbn_index_management_shared_types.mdx +++ b/api_docs/kbn_index_management_shared_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-management-shared-types title: "@kbn/index-management-shared-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-management-shared-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-management-shared-types'] --- import kbnIndexManagementSharedTypesObj from './kbn_index_management_shared_types.devdocs.json'; diff --git a/api_docs/kbn_inference_common.mdx b/api_docs/kbn_inference_common.mdx index b2e0b284b1a87..55afc59db161e 100644 --- a/api_docs/kbn_inference_common.mdx +++ b/api_docs/kbn_inference_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference-common title: "@kbn/inference-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference-common'] --- import kbnInferenceCommonObj from './kbn_inference_common.devdocs.json'; diff --git a/api_docs/kbn_inference_integration_flyout.mdx b/api_docs/kbn_inference_integration_flyout.mdx index 1bc9b6be887be..e7d0dc414b08c 100644 --- a/api_docs/kbn_inference_integration_flyout.mdx +++ b/api_docs/kbn_inference_integration_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference_integration_flyout title: "@kbn/inference_integration_flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference_integration_flyout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference_integration_flyout'] --- import kbnInferenceIntegrationFlyoutObj from './kbn_inference_integration_flyout.devdocs.json'; diff --git a/api_docs/kbn_infra_forge.mdx b/api_docs/kbn_infra_forge.mdx index 69599f58ba3ce..8d07d785dbe2f 100644 --- a/api_docs/kbn_infra_forge.mdx +++ b/api_docs/kbn_infra_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-infra-forge title: "@kbn/infra-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/infra-forge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/infra-forge'] --- import kbnInfraForgeObj from './kbn_infra_forge.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 833a8686a97ba..84f639850fa88 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_investigation_shared.mdx b/api_docs/kbn_investigation_shared.mdx index 254acae3d7880..65a863a6b6c68 100644 --- a/api_docs/kbn_investigation_shared.mdx +++ b/api_docs/kbn_investigation_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-investigation-shared title: "@kbn/investigation-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/investigation-shared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/investigation-shared'] --- import kbnInvestigationSharedObj from './kbn_investigation_shared.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 5dc1ec954c4e2..63575433295d8 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_ipynb.mdx b/api_docs/kbn_ipynb.mdx index e1987378b30f9..f7012d248d339 100644 --- a/api_docs/kbn_ipynb.mdx +++ b/api_docs/kbn_ipynb.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ipynb title: "@kbn/ipynb" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ipynb plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ipynb'] --- import kbnIpynbObj from './kbn_ipynb.devdocs.json'; diff --git a/api_docs/kbn_item_buffer.mdx b/api_docs/kbn_item_buffer.mdx index 7a8628281b0a2..677157eda2bac 100644 --- a/api_docs/kbn_item_buffer.mdx +++ b/api_docs/kbn_item_buffer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-item-buffer title: "@kbn/item-buffer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/item-buffer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/item-buffer'] --- import kbnItemBufferObj from './kbn_item_buffer.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index e80ce50053b7d..7748199cc6c48 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 633280373d26e..8f4a4e7f86867 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_json_ast.mdx b/api_docs/kbn_json_ast.mdx index 6b74b2b2975cf..9dfdbabcf3235 100644 --- a/api_docs/kbn_json_ast.mdx +++ b/api_docs/kbn_json_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-ast title: "@kbn/json-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-ast plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-ast'] --- import kbnJsonAstObj from './kbn_json_ast.devdocs.json'; diff --git a/api_docs/kbn_json_schemas.mdx b/api_docs/kbn_json_schemas.mdx index 2755d1649964e..c4b087c3689a5 100644 --- a/api_docs/kbn_json_schemas.mdx +++ b/api_docs/kbn_json_schemas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-schemas title: "@kbn/json-schemas" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-schemas plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-schemas'] --- import kbnJsonSchemasObj from './kbn_json_schemas.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index b6d09be148ae5..fe7f7c1074d28 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation.mdx b/api_docs/kbn_language_documentation.mdx index 1f1e3f3dda2e1..ca3c4573d74d0 100644 --- a/api_docs/kbn_language_documentation.mdx +++ b/api_docs/kbn_language_documentation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation title: "@kbn/language-documentation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation'] --- import kbnLanguageDocumentationObj from './kbn_language_documentation.devdocs.json'; diff --git a/api_docs/kbn_lens_embeddable_utils.mdx b/api_docs/kbn_lens_embeddable_utils.mdx index 2e898e1064b8c..312238ddb723c 100644 --- a/api_docs/kbn_lens_embeddable_utils.mdx +++ b/api_docs/kbn_lens_embeddable_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-embeddable-utils title: "@kbn/lens-embeddable-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-embeddable-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-embeddable-utils'] --- import kbnLensEmbeddableUtilsObj from './kbn_lens_embeddable_utils.devdocs.json'; diff --git a/api_docs/kbn_lens_formula_docs.mdx b/api_docs/kbn_lens_formula_docs.mdx index 85c3c74bb9c8d..1021e00d2c8bd 100644 --- a/api_docs/kbn_lens_formula_docs.mdx +++ b/api_docs/kbn_lens_formula_docs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-formula-docs title: "@kbn/lens-formula-docs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-formula-docs plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-formula-docs'] --- import kbnLensFormulaDocsObj from './kbn_lens_formula_docs.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index 43a6b462c6b8d..fd1975296396d 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index f966d4e2bbdca..89491b41cdb5e 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_content_badge.mdx b/api_docs/kbn_managed_content_badge.mdx index 0b9e7d5e948fa..4350fecc001dd 100644 --- a/api_docs/kbn_managed_content_badge.mdx +++ b/api_docs/kbn_managed_content_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-content-badge title: "@kbn/managed-content-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-content-badge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-content-badge'] --- import kbnManagedContentBadgeObj from './kbn_managed_content_badge.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index efe5a1af1fa4c..a4877ec87ec3a 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_management_cards_navigation.mdx b/api_docs/kbn_management_cards_navigation.mdx index b48045c17c814..54c81d088cf82 100644 --- a/api_docs/kbn_management_cards_navigation.mdx +++ b/api_docs/kbn_management_cards_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-cards-navigation title: "@kbn/management-cards-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-cards-navigation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-cards-navigation'] --- import kbnManagementCardsNavigationObj from './kbn_management_cards_navigation.devdocs.json'; diff --git a/api_docs/kbn_management_settings_application.mdx b/api_docs/kbn_management_settings_application.mdx index 2de74c9df4d37..5fb67678727c6 100644 --- a/api_docs/kbn_management_settings_application.mdx +++ b/api_docs/kbn_management_settings_application.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-application title: "@kbn/management-settings-application" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-application plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-application'] --- import kbnManagementSettingsApplicationObj from './kbn_management_settings_application.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_category.mdx b/api_docs/kbn_management_settings_components_field_category.mdx index 9d814920798d1..f902cc6188622 100644 --- a/api_docs/kbn_management_settings_components_field_category.mdx +++ b/api_docs/kbn_management_settings_components_field_category.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-category title: "@kbn/management-settings-components-field-category" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-category plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-category'] --- import kbnManagementSettingsComponentsFieldCategoryObj from './kbn_management_settings_components_field_category.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_input.mdx b/api_docs/kbn_management_settings_components_field_input.mdx index b47a634791643..fd5dcd2c522e0 100644 --- a/api_docs/kbn_management_settings_components_field_input.mdx +++ b/api_docs/kbn_management_settings_components_field_input.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-input title: "@kbn/management-settings-components-field-input" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-input plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-input'] --- import kbnManagementSettingsComponentsFieldInputObj from './kbn_management_settings_components_field_input.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_row.mdx b/api_docs/kbn_management_settings_components_field_row.mdx index c19c210dc013b..bd15b8ca6d508 100644 --- a/api_docs/kbn_management_settings_components_field_row.mdx +++ b/api_docs/kbn_management_settings_components_field_row.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-row title: "@kbn/management-settings-components-field-row" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-row plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-row'] --- import kbnManagementSettingsComponentsFieldRowObj from './kbn_management_settings_components_field_row.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_form.mdx b/api_docs/kbn_management_settings_components_form.mdx index fe91f90cff10d..954f01aad7897 100644 --- a/api_docs/kbn_management_settings_components_form.mdx +++ b/api_docs/kbn_management_settings_components_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-form title: "@kbn/management-settings-components-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-form plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-form'] --- import kbnManagementSettingsComponentsFormObj from './kbn_management_settings_components_form.devdocs.json'; diff --git a/api_docs/kbn_management_settings_field_definition.mdx b/api_docs/kbn_management_settings_field_definition.mdx index ae5ac090d4bbf..e12e004a35f0d 100644 --- a/api_docs/kbn_management_settings_field_definition.mdx +++ b/api_docs/kbn_management_settings_field_definition.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-field-definition title: "@kbn/management-settings-field-definition" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-field-definition plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-field-definition'] --- import kbnManagementSettingsFieldDefinitionObj from './kbn_management_settings_field_definition.devdocs.json'; diff --git a/api_docs/kbn_management_settings_ids.mdx b/api_docs/kbn_management_settings_ids.mdx index e6b64454eb3fd..76fe7ddf0faa5 100644 --- a/api_docs/kbn_management_settings_ids.mdx +++ b/api_docs/kbn_management_settings_ids.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-ids title: "@kbn/management-settings-ids" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-ids plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-ids'] --- import kbnManagementSettingsIdsObj from './kbn_management_settings_ids.devdocs.json'; diff --git a/api_docs/kbn_management_settings_section_registry.mdx b/api_docs/kbn_management_settings_section_registry.mdx index 9e0bd166976cd..599944dcf9e97 100644 --- a/api_docs/kbn_management_settings_section_registry.mdx +++ b/api_docs/kbn_management_settings_section_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-section-registry title: "@kbn/management-settings-section-registry" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-section-registry plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-section-registry'] --- import kbnManagementSettingsSectionRegistryObj from './kbn_management_settings_section_registry.devdocs.json'; diff --git a/api_docs/kbn_management_settings_types.mdx b/api_docs/kbn_management_settings_types.mdx index f7d915284b858..3e998cf807836 100644 --- a/api_docs/kbn_management_settings_types.mdx +++ b/api_docs/kbn_management_settings_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-types title: "@kbn/management-settings-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-types'] --- import kbnManagementSettingsTypesObj from './kbn_management_settings_types.devdocs.json'; diff --git a/api_docs/kbn_management_settings_utilities.mdx b/api_docs/kbn_management_settings_utilities.mdx index 856662d3ef913..e74c79dc75a81 100644 --- a/api_docs/kbn_management_settings_utilities.mdx +++ b/api_docs/kbn_management_settings_utilities.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-utilities title: "@kbn/management-settings-utilities" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-utilities plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-utilities'] --- import kbnManagementSettingsUtilitiesObj from './kbn_management_settings_utilities.devdocs.json'; diff --git a/api_docs/kbn_management_storybook_config.mdx b/api_docs/kbn_management_storybook_config.mdx index 0eea210f4fe23..bfd851d65720c 100644 --- a/api_docs/kbn_management_storybook_config.mdx +++ b/api_docs/kbn_management_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-storybook-config title: "@kbn/management-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-storybook-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-storybook-config'] --- import kbnManagementStorybookConfigObj from './kbn_management_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_manifest.mdx b/api_docs/kbn_manifest.mdx index 3cb161f1301b9..ed00a057d4b79 100644 --- a/api_docs/kbn_manifest.mdx +++ b/api_docs/kbn_manifest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-manifest title: "@kbn/manifest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/manifest plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/manifest'] --- import kbnManifestObj from './kbn_manifest.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index c0f28a8b7930f..5329b287cf41a 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_maps_vector_tile_utils.mdx b/api_docs/kbn_maps_vector_tile_utils.mdx index 83e39ea22618f..e8ef3ae422425 100644 --- a/api_docs/kbn_maps_vector_tile_utils.mdx +++ b/api_docs/kbn_maps_vector_tile_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-maps-vector-tile-utils title: "@kbn/maps-vector-tile-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/maps-vector-tile-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/maps-vector-tile-utils'] --- import kbnMapsVectorTileUtilsObj from './kbn_maps_vector_tile_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index 413cbb433c775..ca8771a453015 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_anomaly_utils.mdx b/api_docs/kbn_ml_anomaly_utils.mdx index 19bc60e8161b0..bdc5b04b162b4 100644 --- a/api_docs/kbn_ml_anomaly_utils.mdx +++ b/api_docs/kbn_ml_anomaly_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-anomaly-utils title: "@kbn/ml-anomaly-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-anomaly-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-anomaly-utils'] --- import kbnMlAnomalyUtilsObj from './kbn_ml_anomaly_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_cancellable_search.mdx b/api_docs/kbn_ml_cancellable_search.mdx index 34343d7542e60..d4063b1bf6970 100644 --- a/api_docs/kbn_ml_cancellable_search.mdx +++ b/api_docs/kbn_ml_cancellable_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-cancellable-search title: "@kbn/ml-cancellable-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-cancellable-search plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-cancellable-search'] --- import kbnMlCancellableSearchObj from './kbn_ml_cancellable_search.devdocs.json'; diff --git a/api_docs/kbn_ml_category_validator.mdx b/api_docs/kbn_ml_category_validator.mdx index cb0126d1ad2ae..1b6a692b55d6d 100644 --- a/api_docs/kbn_ml_category_validator.mdx +++ b/api_docs/kbn_ml_category_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-category-validator title: "@kbn/ml-category-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-category-validator plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-category-validator'] --- import kbnMlCategoryValidatorObj from './kbn_ml_category_validator.devdocs.json'; diff --git a/api_docs/kbn_ml_chi2test.mdx b/api_docs/kbn_ml_chi2test.mdx index ba577beee527f..e04f4dd447e28 100644 --- a/api_docs/kbn_ml_chi2test.mdx +++ b/api_docs/kbn_ml_chi2test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-chi2test title: "@kbn/ml-chi2test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-chi2test plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-chi2test'] --- import kbnMlChi2testObj from './kbn_ml_chi2test.devdocs.json'; diff --git a/api_docs/kbn_ml_data_frame_analytics_utils.mdx b/api_docs/kbn_ml_data_frame_analytics_utils.mdx index e41853c701244..890490143cbc2 100644 --- a/api_docs/kbn_ml_data_frame_analytics_utils.mdx +++ b/api_docs/kbn_ml_data_frame_analytics_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-frame-analytics-utils title: "@kbn/ml-data-frame-analytics-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-frame-analytics-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-frame-analytics-utils'] --- import kbnMlDataFrameAnalyticsUtilsObj from './kbn_ml_data_frame_analytics_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_data_grid.mdx b/api_docs/kbn_ml_data_grid.mdx index df99b8dc2c6ea..f431ca931d29a 100644 --- a/api_docs/kbn_ml_data_grid.mdx +++ b/api_docs/kbn_ml_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-grid title: "@kbn/ml-data-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-grid plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-grid'] --- import kbnMlDataGridObj from './kbn_ml_data_grid.devdocs.json'; diff --git a/api_docs/kbn_ml_date_picker.mdx b/api_docs/kbn_ml_date_picker.mdx index b2bb720d790be..27d82bd94026a 100644 --- a/api_docs/kbn_ml_date_picker.mdx +++ b/api_docs/kbn_ml_date_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-picker title: "@kbn/ml-date-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-picker plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-picker'] --- import kbnMlDatePickerObj from './kbn_ml_date_picker.devdocs.json'; diff --git a/api_docs/kbn_ml_date_utils.mdx b/api_docs/kbn_ml_date_utils.mdx index 4b76c18341c3f..4856e8a1eca70 100644 --- a/api_docs/kbn_ml_date_utils.mdx +++ b/api_docs/kbn_ml_date_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-utils title: "@kbn/ml-date-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-utils'] --- import kbnMlDateUtilsObj from './kbn_ml_date_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_error_utils.mdx b/api_docs/kbn_ml_error_utils.mdx index 3b194d5f6e25a..ceee1ba563654 100644 --- a/api_docs/kbn_ml_error_utils.mdx +++ b/api_docs/kbn_ml_error_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-error-utils title: "@kbn/ml-error-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-error-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-error-utils'] --- import kbnMlErrorUtilsObj from './kbn_ml_error_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_field_stats_flyout.mdx b/api_docs/kbn_ml_field_stats_flyout.mdx index c896dc9539811..0725342786287 100644 --- a/api_docs/kbn_ml_field_stats_flyout.mdx +++ b/api_docs/kbn_ml_field_stats_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-field-stats-flyout title: "@kbn/ml-field-stats-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-field-stats-flyout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-field-stats-flyout'] --- import kbnMlFieldStatsFlyoutObj from './kbn_ml_field_stats_flyout.devdocs.json'; diff --git a/api_docs/kbn_ml_in_memory_table.mdx b/api_docs/kbn_ml_in_memory_table.mdx index 418fb93510ab4..fc8e46fbc914e 100644 --- a/api_docs/kbn_ml_in_memory_table.mdx +++ b/api_docs/kbn_ml_in_memory_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-in-memory-table title: "@kbn/ml-in-memory-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-in-memory-table plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-in-memory-table'] --- import kbnMlInMemoryTableObj from './kbn_ml_in_memory_table.devdocs.json'; diff --git a/api_docs/kbn_ml_is_defined.mdx b/api_docs/kbn_ml_is_defined.mdx index cb67c56f070db..99eb683335157 100644 --- a/api_docs/kbn_ml_is_defined.mdx +++ b/api_docs/kbn_ml_is_defined.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-defined title: "@kbn/ml-is-defined" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-defined plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-defined'] --- import kbnMlIsDefinedObj from './kbn_ml_is_defined.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index 74b8bae8d631c..b2ac897e15897 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_kibana_theme.mdx b/api_docs/kbn_ml_kibana_theme.mdx index cd77d0a3fb45e..eaf6d0098156d 100644 --- a/api_docs/kbn_ml_kibana_theme.mdx +++ b/api_docs/kbn_ml_kibana_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-kibana-theme title: "@kbn/ml-kibana-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-kibana-theme plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-kibana-theme'] --- import kbnMlKibanaThemeObj from './kbn_ml_kibana_theme.devdocs.json'; diff --git a/api_docs/kbn_ml_local_storage.mdx b/api_docs/kbn_ml_local_storage.mdx index 55d6b99fcf351..6b492f2829591 100644 --- a/api_docs/kbn_ml_local_storage.mdx +++ b/api_docs/kbn_ml_local_storage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-local-storage title: "@kbn/ml-local-storage" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-local-storage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-local-storage'] --- import kbnMlLocalStorageObj from './kbn_ml_local_storage.devdocs.json'; diff --git a/api_docs/kbn_ml_nested_property.mdx b/api_docs/kbn_ml_nested_property.mdx index c2f32e8b5dce0..ec8d21f08c604 100644 --- a/api_docs/kbn_ml_nested_property.mdx +++ b/api_docs/kbn_ml_nested_property.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-nested-property title: "@kbn/ml-nested-property" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-nested-property plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-nested-property'] --- import kbnMlNestedPropertyObj from './kbn_ml_nested_property.devdocs.json'; diff --git a/api_docs/kbn_ml_number_utils.mdx b/api_docs/kbn_ml_number_utils.mdx index 4708d660cf28f..a1856a73b3c5e 100644 --- a/api_docs/kbn_ml_number_utils.mdx +++ b/api_docs/kbn_ml_number_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-number-utils title: "@kbn/ml-number-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-number-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-number-utils'] --- import kbnMlNumberUtilsObj from './kbn_ml_number_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_parse_interval.mdx b/api_docs/kbn_ml_parse_interval.mdx index 3473fb8eb68bf..7599a74406a37 100644 --- a/api_docs/kbn_ml_parse_interval.mdx +++ b/api_docs/kbn_ml_parse_interval.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-parse-interval title: "@kbn/ml-parse-interval" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-parse-interval plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-parse-interval'] --- import kbnMlParseIntervalObj from './kbn_ml_parse_interval.devdocs.json'; diff --git a/api_docs/kbn_ml_query_utils.mdx b/api_docs/kbn_ml_query_utils.mdx index 5ad5284323e6a..afeeeac9c642e 100644 --- a/api_docs/kbn_ml_query_utils.mdx +++ b/api_docs/kbn_ml_query_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-query-utils title: "@kbn/ml-query-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-query-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-query-utils'] --- import kbnMlQueryUtilsObj from './kbn_ml_query_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_random_sampler_utils.mdx b/api_docs/kbn_ml_random_sampler_utils.mdx index 7ce90a2c13b5e..cdbfe028a6ae7 100644 --- a/api_docs/kbn_ml_random_sampler_utils.mdx +++ b/api_docs/kbn_ml_random_sampler_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-random-sampler-utils title: "@kbn/ml-random-sampler-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-random-sampler-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-random-sampler-utils'] --- import kbnMlRandomSamplerUtilsObj from './kbn_ml_random_sampler_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_route_utils.mdx b/api_docs/kbn_ml_route_utils.mdx index 499556254e31b..30450d734e5f9 100644 --- a/api_docs/kbn_ml_route_utils.mdx +++ b/api_docs/kbn_ml_route_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-route-utils title: "@kbn/ml-route-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-route-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-route-utils'] --- import kbnMlRouteUtilsObj from './kbn_ml_route_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_runtime_field_utils.mdx b/api_docs/kbn_ml_runtime_field_utils.mdx index d8c48031a4b73..d4183cf52c367 100644 --- a/api_docs/kbn_ml_runtime_field_utils.mdx +++ b/api_docs/kbn_ml_runtime_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-runtime-field-utils title: "@kbn/ml-runtime-field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-runtime-field-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-runtime-field-utils'] --- import kbnMlRuntimeFieldUtilsObj from './kbn_ml_runtime_field_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index d149815b3bea8..28645dcae16f6 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_ml_time_buckets.mdx b/api_docs/kbn_ml_time_buckets.mdx index b10d6bfa9fd62..94ad3e67bed72 100644 --- a/api_docs/kbn_ml_time_buckets.mdx +++ b/api_docs/kbn_ml_time_buckets.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-time-buckets title: "@kbn/ml-time-buckets" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-time-buckets plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-time-buckets'] --- import kbnMlTimeBucketsObj from './kbn_ml_time_buckets.devdocs.json'; diff --git a/api_docs/kbn_ml_trained_models_utils.mdx b/api_docs/kbn_ml_trained_models_utils.mdx index fc05f02c282ef..b940c05a44a47 100644 --- a/api_docs/kbn_ml_trained_models_utils.mdx +++ b/api_docs/kbn_ml_trained_models_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-trained-models-utils title: "@kbn/ml-trained-models-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-trained-models-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-trained-models-utils'] --- import kbnMlTrainedModelsUtilsObj from './kbn_ml_trained_models_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_ui_actions.mdx b/api_docs/kbn_ml_ui_actions.mdx index f764d8236296c..5d763e8bdc9a5 100644 --- a/api_docs/kbn_ml_ui_actions.mdx +++ b/api_docs/kbn_ml_ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-ui-actions title: "@kbn/ml-ui-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-ui-actions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-ui-actions'] --- import kbnMlUiActionsObj from './kbn_ml_ui_actions.devdocs.json'; diff --git a/api_docs/kbn_ml_url_state.mdx b/api_docs/kbn_ml_url_state.mdx index 9845758bd8b92..8c02f6c6363c0 100644 --- a/api_docs/kbn_ml_url_state.mdx +++ b/api_docs/kbn_ml_url_state.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-url-state title: "@kbn/ml-url-state" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-url-state plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-url-state'] --- import kbnMlUrlStateObj from './kbn_ml_url_state.devdocs.json'; diff --git a/api_docs/kbn_ml_validators.mdx b/api_docs/kbn_ml_validators.mdx index f600b9a7bc5c3..8a3d1f21be893 100644 --- a/api_docs/kbn_ml_validators.mdx +++ b/api_docs/kbn_ml_validators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-validators title: "@kbn/ml-validators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-validators plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-validators'] --- import kbnMlValidatorsObj from './kbn_ml_validators.devdocs.json'; diff --git a/api_docs/kbn_mock_idp_utils.mdx b/api_docs/kbn_mock_idp_utils.mdx index 71aecedd4a8d0..a66cb125ff281 100644 --- a/api_docs/kbn_mock_idp_utils.mdx +++ b/api_docs/kbn_mock_idp_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mock-idp-utils title: "@kbn/mock-idp-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mock-idp-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mock-idp-utils'] --- import kbnMockIdpUtilsObj from './kbn_mock_idp_utils.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index cf912d1f8c4d4..be73463630c4f 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_object_versioning.mdx b/api_docs/kbn_object_versioning.mdx index ed26674e7e4f6..c91d1d943dc39 100644 --- a/api_docs/kbn_object_versioning.mdx +++ b/api_docs/kbn_object_versioning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning title: "@kbn/object-versioning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning'] --- import kbnObjectVersioningObj from './kbn_object_versioning.devdocs.json'; diff --git a/api_docs/kbn_object_versioning_utils.mdx b/api_docs/kbn_object_versioning_utils.mdx index ecfc4dbad124e..8f03406b0f7fe 100644 --- a/api_docs/kbn_object_versioning_utils.mdx +++ b/api_docs/kbn_object_versioning_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning-utils title: "@kbn/object-versioning-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning-utils'] --- import kbnObjectVersioningUtilsObj from './kbn_object_versioning_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alert_details.mdx b/api_docs/kbn_observability_alert_details.mdx index 7f035e7bc146a..ea90ec85c5747 100644 --- a/api_docs/kbn_observability_alert_details.mdx +++ b/api_docs/kbn_observability_alert_details.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alert-details title: "@kbn/observability-alert-details" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alert-details plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alert-details'] --- import kbnObservabilityAlertDetailsObj from './kbn_observability_alert_details.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_rule_utils.mdx b/api_docs/kbn_observability_alerting_rule_utils.mdx index 7e4815368c1df..15131e0a19884 100644 --- a/api_docs/kbn_observability_alerting_rule_utils.mdx +++ b/api_docs/kbn_observability_alerting_rule_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-rule-utils title: "@kbn/observability-alerting-rule-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-rule-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-rule-utils'] --- import kbnObservabilityAlertingRuleUtilsObj from './kbn_observability_alerting_rule_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_test_data.mdx b/api_docs/kbn_observability_alerting_test_data.mdx index 882e414d3b7b5..21dc0337db9b3 100644 --- a/api_docs/kbn_observability_alerting_test_data.mdx +++ b/api_docs/kbn_observability_alerting_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-test-data title: "@kbn/observability-alerting-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-test-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-test-data'] --- import kbnObservabilityAlertingTestDataObj from './kbn_observability_alerting_test_data.devdocs.json'; diff --git a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx index 24d1a3c76b951..4758ba3884d97 100644 --- a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx +++ b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-get-padded-alert-time-range-util title: "@kbn/observability-get-padded-alert-time-range-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-get-padded-alert-time-range-util plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-get-padded-alert-time-range-util'] --- import kbnObservabilityGetPaddedAlertTimeRangeUtilObj from './kbn_observability_get_padded_alert_time_range_util.devdocs.json'; diff --git a/api_docs/kbn_observability_logs_overview.mdx b/api_docs/kbn_observability_logs_overview.mdx index 5aa0a4b7ac708..3623af25e4283 100644 --- a/api_docs/kbn_observability_logs_overview.mdx +++ b/api_docs/kbn_observability_logs_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-logs-overview title: "@kbn/observability-logs-overview" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-logs-overview plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-logs-overview'] --- import kbnObservabilityLogsOverviewObj from './kbn_observability_logs_overview.devdocs.json'; diff --git a/api_docs/kbn_observability_synthetics_test_data.mdx b/api_docs/kbn_observability_synthetics_test_data.mdx index ccdcc628f23da..501f63109a89d 100644 --- a/api_docs/kbn_observability_synthetics_test_data.mdx +++ b/api_docs/kbn_observability_synthetics_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-synthetics-test-data title: "@kbn/observability-synthetics-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-synthetics-test-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-synthetics-test-data'] --- import kbnObservabilitySyntheticsTestDataObj from './kbn_observability_synthetics_test_data.devdocs.json'; diff --git a/api_docs/kbn_openapi_bundler.mdx b/api_docs/kbn_openapi_bundler.mdx index 97d84b7daf852..bf3d1a202f32b 100644 --- a/api_docs/kbn_openapi_bundler.mdx +++ b/api_docs/kbn_openapi_bundler.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-bundler title: "@kbn/openapi-bundler" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-bundler plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-bundler'] --- import kbnOpenapiBundlerObj from './kbn_openapi_bundler.devdocs.json'; diff --git a/api_docs/kbn_openapi_generator.mdx b/api_docs/kbn_openapi_generator.mdx index 1c9d2efcdd487..97f7e64f23436 100644 --- a/api_docs/kbn_openapi_generator.mdx +++ b/api_docs/kbn_openapi_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-generator title: "@kbn/openapi-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-generator plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-generator'] --- import kbnOpenapiGeneratorObj from './kbn_openapi_generator.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index db7d60a90b911..365d6191c54a6 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 7bfe91fe66aba..3009d2ac70508 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index 9511549d90900..94f108723ccb7 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_palettes.mdx b/api_docs/kbn_palettes.mdx index 55408f4cffa4f..17ada8b6fcb1d 100644 --- a/api_docs/kbn_palettes.mdx +++ b/api_docs/kbn_palettes.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-palettes title: "@kbn/palettes" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/palettes plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/palettes'] --- import kbnPalettesObj from './kbn_palettes.devdocs.json'; diff --git a/api_docs/kbn_panel_loader.mdx b/api_docs/kbn_panel_loader.mdx index d8feee85d5c81..c13697c88f915 100644 --- a/api_docs/kbn_panel_loader.mdx +++ b/api_docs/kbn_panel_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-panel-loader title: "@kbn/panel-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/panel-loader plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/panel-loader'] --- import kbnPanelLoaderObj from './kbn_panel_loader.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index d066f7fbb8a12..3017f5ca2241c 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_check.mdx b/api_docs/kbn_plugin_check.mdx index 20b664bd5be51..f3f42312e5410 100644 --- a/api_docs/kbn_plugin_check.mdx +++ b/api_docs/kbn_plugin_check.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-check title: "@kbn/plugin-check" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-check plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-check'] --- import kbnPluginCheckObj from './kbn_plugin_check.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index abd0fb6b3d071..5f07df4fe8db0 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index 0ae5fe84dcc47..ed027c089dbd5 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_presentation_containers.mdx b/api_docs/kbn_presentation_containers.mdx index 8c7b5070cd534..5a235508f53d3 100644 --- a/api_docs/kbn_presentation_containers.mdx +++ b/api_docs/kbn_presentation_containers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-containers title: "@kbn/presentation-containers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-containers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-containers'] --- import kbnPresentationContainersObj from './kbn_presentation_containers.devdocs.json'; diff --git a/api_docs/kbn_presentation_publishing.mdx b/api_docs/kbn_presentation_publishing.mdx index 88f6a25b6da1b..0b82b9e732d0a 100644 --- a/api_docs/kbn_presentation_publishing.mdx +++ b/api_docs/kbn_presentation_publishing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-publishing title: "@kbn/presentation-publishing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-publishing plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-publishing'] --- import kbnPresentationPublishingObj from './kbn_presentation_publishing.devdocs.json'; diff --git a/api_docs/kbn_product_doc_artifact_builder.mdx b/api_docs/kbn_product_doc_artifact_builder.mdx index fcda4271fd2f8..a03c516ad751a 100644 --- a/api_docs/kbn_product_doc_artifact_builder.mdx +++ b/api_docs/kbn_product_doc_artifact_builder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-artifact-builder title: "@kbn/product-doc-artifact-builder" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-artifact-builder plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-artifact-builder'] --- import kbnProductDocArtifactBuilderObj from './kbn_product_doc_artifact_builder.devdocs.json'; diff --git a/api_docs/kbn_product_doc_common.mdx b/api_docs/kbn_product_doc_common.mdx index 349a718cb0396..627f9ee6c2501 100644 --- a/api_docs/kbn_product_doc_common.mdx +++ b/api_docs/kbn_product_doc_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-common title: "@kbn/product-doc-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-common'] --- import kbnProductDocCommonObj from './kbn_product_doc_common.devdocs.json'; diff --git a/api_docs/kbn_profiling_utils.mdx b/api_docs/kbn_profiling_utils.mdx index 96a99f347a659..a8fc6206688bb 100644 --- a/api_docs/kbn_profiling_utils.mdx +++ b/api_docs/kbn_profiling_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-profiling-utils title: "@kbn/profiling-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/profiling-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/profiling-utils'] --- import kbnProfilingUtilsObj from './kbn_profiling_utils.devdocs.json'; diff --git a/api_docs/kbn_random_sampling.mdx b/api_docs/kbn_random_sampling.mdx index 6a5808d1780ed..67b59c350eb5c 100644 --- a/api_docs/kbn_random_sampling.mdx +++ b/api_docs/kbn_random_sampling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-random-sampling title: "@kbn/random-sampling" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/random-sampling plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/random-sampling'] --- import kbnRandomSamplingObj from './kbn_random_sampling.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index e8c78adaa9401..c2fb54eb371f8 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_react_hooks.mdx b/api_docs/kbn_react_hooks.mdx index 0ba2b88adf652..103531464ce92 100644 --- a/api_docs/kbn_react_hooks.mdx +++ b/api_docs/kbn_react_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-hooks title: "@kbn/react-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-hooks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-hooks'] --- import kbnReactHooksObj from './kbn_react_hooks.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_common.mdx b/api_docs/kbn_react_kibana_context_common.mdx index 5ec7dc9a6522a..5408d90e00b47 100644 --- a/api_docs/kbn_react_kibana_context_common.mdx +++ b/api_docs/kbn_react_kibana_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-common title: "@kbn/react-kibana-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-common'] --- import kbnReactKibanaContextCommonObj from './kbn_react_kibana_context_common.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_render.mdx b/api_docs/kbn_react_kibana_context_render.mdx index 245960ce68cdb..220a7629a96bd 100644 --- a/api_docs/kbn_react_kibana_context_render.mdx +++ b/api_docs/kbn_react_kibana_context_render.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-render title: "@kbn/react-kibana-context-render" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-render plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-render'] --- import kbnReactKibanaContextRenderObj from './kbn_react_kibana_context_render.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_root.mdx b/api_docs/kbn_react_kibana_context_root.mdx index 727ada39e4df7..98d6118114bee 100644 --- a/api_docs/kbn_react_kibana_context_root.mdx +++ b/api_docs/kbn_react_kibana_context_root.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-root title: "@kbn/react-kibana-context-root" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-root plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-root'] --- import kbnReactKibanaContextRootObj from './kbn_react_kibana_context_root.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_styled.mdx b/api_docs/kbn_react_kibana_context_styled.mdx index 694db676ea9bd..575917118a1b5 100644 --- a/api_docs/kbn_react_kibana_context_styled.mdx +++ b/api_docs/kbn_react_kibana_context_styled.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-styled title: "@kbn/react-kibana-context-styled" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-styled plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-styled'] --- import kbnReactKibanaContextStyledObj from './kbn_react_kibana_context_styled.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_theme.mdx b/api_docs/kbn_react_kibana_context_theme.mdx index da61f9297f458..2b87057224a4a 100644 --- a/api_docs/kbn_react_kibana_context_theme.mdx +++ b/api_docs/kbn_react_kibana_context_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-theme title: "@kbn/react-kibana-context-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-theme plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-theme'] --- import kbnReactKibanaContextThemeObj from './kbn_react_kibana_context_theme.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_mount.mdx b/api_docs/kbn_react_kibana_mount.mdx index dac3c83783e2d..43ab34089b299 100644 --- a/api_docs/kbn_react_kibana_mount.mdx +++ b/api_docs/kbn_react_kibana_mount.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-mount title: "@kbn/react-kibana-mount" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-mount plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-mount'] --- import kbnReactKibanaMountObj from './kbn_react_kibana_mount.devdocs.json'; diff --git a/api_docs/kbn_react_mute_legacy_root_warning.mdx b/api_docs/kbn_react_mute_legacy_root_warning.mdx index 9207dd388f991..d2b721003ed20 100644 --- a/api_docs/kbn_react_mute_legacy_root_warning.mdx +++ b/api_docs/kbn_react_mute_legacy_root_warning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-mute-legacy-root-warning title: "@kbn/react-mute-legacy-root-warning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-mute-legacy-root-warning plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-mute-legacy-root-warning'] --- import kbnReactMuteLegacyRootWarningObj from './kbn_react_mute_legacy_root_warning.devdocs.json'; diff --git a/api_docs/kbn_recently_accessed.mdx b/api_docs/kbn_recently_accessed.mdx index 724228e86dce1..8106f2c1618bb 100644 --- a/api_docs/kbn_recently_accessed.mdx +++ b/api_docs/kbn_recently_accessed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-recently-accessed title: "@kbn/recently-accessed" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/recently-accessed plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/recently-accessed'] --- import kbnRecentlyAccessedObj from './kbn_recently_accessed.devdocs.json'; diff --git a/api_docs/kbn_relocate.mdx b/api_docs/kbn_relocate.mdx index 7c52286864fc7..c9223c8b8289f 100644 --- a/api_docs/kbn_relocate.mdx +++ b/api_docs/kbn_relocate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-relocate title: "@kbn/relocate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/relocate plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/relocate'] --- import kbnRelocateObj from './kbn_relocate.devdocs.json'; diff --git a/api_docs/kbn_repo_file_maps.mdx b/api_docs/kbn_repo_file_maps.mdx index 6c47a6ee437e9..a7356f66b58b7 100644 --- a/api_docs/kbn_repo_file_maps.mdx +++ b/api_docs/kbn_repo_file_maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-file-maps title: "@kbn/repo-file-maps" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-file-maps plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-file-maps'] --- import kbnRepoFileMapsObj from './kbn_repo_file_maps.devdocs.json'; diff --git a/api_docs/kbn_repo_linter.mdx b/api_docs/kbn_repo_linter.mdx index cd51b9762efd6..82145e0cdb39f 100644 --- a/api_docs/kbn_repo_linter.mdx +++ b/api_docs/kbn_repo_linter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-linter title: "@kbn/repo-linter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-linter plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-linter'] --- import kbnRepoLinterObj from './kbn_repo_linter.devdocs.json'; diff --git a/api_docs/kbn_repo_path.mdx b/api_docs/kbn_repo_path.mdx index 3a5a057923329..9a291418814d8 100644 --- a/api_docs/kbn_repo_path.mdx +++ b/api_docs/kbn_repo_path.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-path title: "@kbn/repo-path" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-path plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-path'] --- import kbnRepoPathObj from './kbn_repo_path.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index a9ba88e0e331e..4f8af1a7c5ee6 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_reporting_common.mdx b/api_docs/kbn_reporting_common.mdx index 10809db32ca79..e9df5964cbc61 100644 --- a/api_docs/kbn_reporting_common.mdx +++ b/api_docs/kbn_reporting_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-common title: "@kbn/reporting-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-common'] --- import kbnReportingCommonObj from './kbn_reporting_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_csv_share_panel.mdx b/api_docs/kbn_reporting_csv_share_panel.mdx index 11c3e0f2da862..2800c184124ad 100644 --- a/api_docs/kbn_reporting_csv_share_panel.mdx +++ b/api_docs/kbn_reporting_csv_share_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-csv-share-panel title: "@kbn/reporting-csv-share-panel" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-csv-share-panel plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-csv-share-panel'] --- import kbnReportingCsvSharePanelObj from './kbn_reporting_csv_share_panel.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv.mdx b/api_docs/kbn_reporting_export_types_csv.mdx index e016b7cae392f..130141ce64d87 100644 --- a/api_docs/kbn_reporting_export_types_csv.mdx +++ b/api_docs/kbn_reporting_export_types_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv title: "@kbn/reporting-export-types-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv'] --- import kbnReportingExportTypesCsvObj from './kbn_reporting_export_types_csv.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv_common.mdx b/api_docs/kbn_reporting_export_types_csv_common.mdx index b0d28981ab0a5..b095f2730a42b 100644 --- a/api_docs/kbn_reporting_export_types_csv_common.mdx +++ b/api_docs/kbn_reporting_export_types_csv_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv-common title: "@kbn/reporting-export-types-csv-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv-common'] --- import kbnReportingExportTypesCsvCommonObj from './kbn_reporting_export_types_csv_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf.mdx b/api_docs/kbn_reporting_export_types_pdf.mdx index 89f1327205e18..4cacebd51549e 100644 --- a/api_docs/kbn_reporting_export_types_pdf.mdx +++ b/api_docs/kbn_reporting_export_types_pdf.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf title: "@kbn/reporting-export-types-pdf" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf'] --- import kbnReportingExportTypesPdfObj from './kbn_reporting_export_types_pdf.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf_common.mdx b/api_docs/kbn_reporting_export_types_pdf_common.mdx index a079fa3cbb24f..d4134463617ee 100644 --- a/api_docs/kbn_reporting_export_types_pdf_common.mdx +++ b/api_docs/kbn_reporting_export_types_pdf_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf-common title: "@kbn/reporting-export-types-pdf-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf-common'] --- import kbnReportingExportTypesPdfCommonObj from './kbn_reporting_export_types_pdf_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png.mdx b/api_docs/kbn_reporting_export_types_png.mdx index fe9f67081541a..76c3e1cf381b8 100644 --- a/api_docs/kbn_reporting_export_types_png.mdx +++ b/api_docs/kbn_reporting_export_types_png.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png title: "@kbn/reporting-export-types-png" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png'] --- import kbnReportingExportTypesPngObj from './kbn_reporting_export_types_png.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png_common.mdx b/api_docs/kbn_reporting_export_types_png_common.mdx index ea88e071d05b5..51099604ee0e5 100644 --- a/api_docs/kbn_reporting_export_types_png_common.mdx +++ b/api_docs/kbn_reporting_export_types_png_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png-common title: "@kbn/reporting-export-types-png-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png-common'] --- import kbnReportingExportTypesPngCommonObj from './kbn_reporting_export_types_png_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_mocks_server.mdx b/api_docs/kbn_reporting_mocks_server.mdx index 0f415680a931e..913a85aecef90 100644 --- a/api_docs/kbn_reporting_mocks_server.mdx +++ b/api_docs/kbn_reporting_mocks_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-mocks-server title: "@kbn/reporting-mocks-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-mocks-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-mocks-server'] --- import kbnReportingMocksServerObj from './kbn_reporting_mocks_server.devdocs.json'; diff --git a/api_docs/kbn_reporting_public.mdx b/api_docs/kbn_reporting_public.mdx index 55841e505b253..5dd1a4e7bea2b 100644 --- a/api_docs/kbn_reporting_public.mdx +++ b/api_docs/kbn_reporting_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-public title: "@kbn/reporting-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-public plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-public'] --- import kbnReportingPublicObj from './kbn_reporting_public.devdocs.json'; diff --git a/api_docs/kbn_reporting_server.mdx b/api_docs/kbn_reporting_server.mdx index ad1202cf66a65..9a76eff0f4b0d 100644 --- a/api_docs/kbn_reporting_server.mdx +++ b/api_docs/kbn_reporting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-server title: "@kbn/reporting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-server'] --- import kbnReportingServerObj from './kbn_reporting_server.devdocs.json'; diff --git a/api_docs/kbn_resizable_layout.mdx b/api_docs/kbn_resizable_layout.mdx index 5719eb3711321..5b18e147dfbac 100644 --- a/api_docs/kbn_resizable_layout.mdx +++ b/api_docs/kbn_resizable_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-resizable-layout title: "@kbn/resizable-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/resizable-layout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/resizable-layout'] --- import kbnResizableLayoutObj from './kbn_resizable_layout.devdocs.json'; diff --git a/api_docs/kbn_response_ops_feature_flag_service.mdx b/api_docs/kbn_response_ops_feature_flag_service.mdx index e74b993ce0941..4dd0a2e5b3b67 100644 --- a/api_docs/kbn_response_ops_feature_flag_service.mdx +++ b/api_docs/kbn_response_ops_feature_flag_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-feature-flag-service title: "@kbn/response-ops-feature-flag-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-feature-flag-service plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-feature-flag-service'] --- import kbnResponseOpsFeatureFlagServiceObj from './kbn_response_ops_feature_flag_service.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_form.mdx b/api_docs/kbn_response_ops_rule_form.mdx index aa08e727f4de8..0c753d8fba274 100644 --- a/api_docs/kbn_response_ops_rule_form.mdx +++ b/api_docs/kbn_response_ops_rule_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-form title: "@kbn/response-ops-rule-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-form plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-form'] --- import kbnResponseOpsRuleFormObj from './kbn_response_ops_rule_form.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_params.mdx b/api_docs/kbn_response_ops_rule_params.mdx index c3b4f7637b3f5..f9d79bb0bf1c2 100644 --- a/api_docs/kbn_response_ops_rule_params.mdx +++ b/api_docs/kbn_response_ops_rule_params.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-params title: "@kbn/response-ops-rule-params" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-params plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-params'] --- import kbnResponseOpsRuleParamsObj from './kbn_response_ops_rule_params.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index e11ea33c3bd3b..9faccc3ce6d98 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rollup.mdx b/api_docs/kbn_rollup.mdx index 2193420b4e953..a31ea63e2a97a 100644 --- a/api_docs/kbn_rollup.mdx +++ b/api_docs/kbn_rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rollup title: "@kbn/rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rollup plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rollup'] --- import kbnRollupObj from './kbn_rollup.devdocs.json'; diff --git a/api_docs/kbn_router_to_openapispec.mdx b/api_docs/kbn_router_to_openapispec.mdx index ab72b3a80c7bb..281691780563f 100644 --- a/api_docs/kbn_router_to_openapispec.mdx +++ b/api_docs/kbn_router_to_openapispec.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-to-openapispec title: "@kbn/router-to-openapispec" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-to-openapispec plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-to-openapispec'] --- import kbnRouterToOpenapispecObj from './kbn_router_to_openapispec.devdocs.json'; diff --git a/api_docs/kbn_router_utils.mdx b/api_docs/kbn_router_utils.mdx index 2166adb34ff89..f7848856499da 100644 --- a/api_docs/kbn_router_utils.mdx +++ b/api_docs/kbn_router_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-utils title: "@kbn/router-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-utils'] --- import kbnRouterUtilsObj from './kbn_router_utils.devdocs.json'; diff --git a/api_docs/kbn_rrule.mdx b/api_docs/kbn_rrule.mdx index 5d4f618e8d357..0017d71e13853 100644 --- a/api_docs/kbn_rrule.mdx +++ b/api_docs/kbn_rrule.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rrule title: "@kbn/rrule" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rrule plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rrule'] --- import kbnRruleObj from './kbn_rrule.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index 91738b8f45e5b..5815776be6c55 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_saved_objects_settings.mdx b/api_docs/kbn_saved_objects_settings.mdx index 2538271c5e573..8c938b4924d1b 100644 --- a/api_docs/kbn_saved_objects_settings.mdx +++ b/api_docs/kbn_saved_objects_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-objects-settings title: "@kbn/saved-objects-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-objects-settings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-objects-settings'] --- import kbnSavedObjectsSettingsObj from './kbn_saved_objects_settings.devdocs.json'; diff --git a/api_docs/kbn_saved_search_component.mdx b/api_docs/kbn_saved_search_component.mdx index 20f8da73e3f81..ec2dd05c9b6f7 100644 --- a/api_docs/kbn_saved_search_component.mdx +++ b/api_docs/kbn_saved_search_component.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-search-component title: "@kbn/saved-search-component" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-search-component plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-search-component'] --- import kbnSavedSearchComponentObj from './kbn_saved_search_component.devdocs.json'; diff --git a/api_docs/kbn_scout.mdx b/api_docs/kbn_scout.mdx index 7e7624862ce4b..c432bdfdd67c6 100644 --- a/api_docs/kbn_scout.mdx +++ b/api_docs/kbn_scout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout title: "@kbn/scout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout'] --- import kbnScoutObj from './kbn_scout.devdocs.json'; diff --git a/api_docs/kbn_scout_info.mdx b/api_docs/kbn_scout_info.mdx index 523150b9c674c..de4dd4c281c3f 100644 --- a/api_docs/kbn_scout_info.mdx +++ b/api_docs/kbn_scout_info.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-info title: "@kbn/scout-info" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-info plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-info'] --- import kbnScoutInfoObj from './kbn_scout_info.devdocs.json'; diff --git a/api_docs/kbn_scout_reporting.mdx b/api_docs/kbn_scout_reporting.mdx index a56e89029ac57..3342de28b613c 100644 --- a/api_docs/kbn_scout_reporting.mdx +++ b/api_docs/kbn_scout_reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-reporting title: "@kbn/scout-reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-reporting plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-reporting'] --- import kbnScoutReportingObj from './kbn_scout_reporting.devdocs.json'; diff --git a/api_docs/kbn_screenshotting_server.mdx b/api_docs/kbn_screenshotting_server.mdx index 0dc532f938492..6e68ee2274402 100644 --- a/api_docs/kbn_screenshotting_server.mdx +++ b/api_docs/kbn_screenshotting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-screenshotting-server title: "@kbn/screenshotting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/screenshotting-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/screenshotting-server'] --- import kbnScreenshottingServerObj from './kbn_screenshotting_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_components.mdx b/api_docs/kbn_search_api_keys_components.mdx index a48d6be6bb1aa..5b2a3685fdaba 100644 --- a/api_docs/kbn_search_api_keys_components.mdx +++ b/api_docs/kbn_search_api_keys_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-components title: "@kbn/search-api-keys-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-components'] --- import kbnSearchApiKeysComponentsObj from './kbn_search_api_keys_components.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_server.mdx b/api_docs/kbn_search_api_keys_server.mdx index 484b46c485b89..7929ed2316fbe 100644 --- a/api_docs/kbn_search_api_keys_server.mdx +++ b/api_docs/kbn_search_api_keys_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-server title: "@kbn/search-api-keys-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-server'] --- import kbnSearchApiKeysServerObj from './kbn_search_api_keys_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_panels.mdx b/api_docs/kbn_search_api_panels.mdx index 61b669aeda6b7..3549e3044bfe5 100644 --- a/api_docs/kbn_search_api_panels.mdx +++ b/api_docs/kbn_search_api_panels.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-panels title: "@kbn/search-api-panels" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-panels plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-panels'] --- import kbnSearchApiPanelsObj from './kbn_search_api_panels.devdocs.json'; diff --git a/api_docs/kbn_search_connectors.mdx b/api_docs/kbn_search_connectors.mdx index 87ed99b875f1b..feb4a636a0c0d 100644 --- a/api_docs/kbn_search_connectors.mdx +++ b/api_docs/kbn_search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-connectors title: "@kbn/search-connectors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-connectors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-connectors'] --- import kbnSearchConnectorsObj from './kbn_search_connectors.devdocs.json'; diff --git a/api_docs/kbn_search_errors.mdx b/api_docs/kbn_search_errors.mdx index 47b0bdcbc0c25..abb1669b54f49 100644 --- a/api_docs/kbn_search_errors.mdx +++ b/api_docs/kbn_search_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-errors title: "@kbn/search-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-errors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-errors'] --- import kbnSearchErrorsObj from './kbn_search_errors.devdocs.json'; diff --git a/api_docs/kbn_search_index_documents.mdx b/api_docs/kbn_search_index_documents.mdx index a7731d724afa2..c6d773a5ff3ed 100644 --- a/api_docs/kbn_search_index_documents.mdx +++ b/api_docs/kbn_search_index_documents.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-index-documents title: "@kbn/search-index-documents" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-index-documents plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-index-documents'] --- import kbnSearchIndexDocumentsObj from './kbn_search_index_documents.devdocs.json'; diff --git a/api_docs/kbn_search_response_warnings.mdx b/api_docs/kbn_search_response_warnings.mdx index 0d1a76c1ec84e..448a2f87ff506 100644 --- a/api_docs/kbn_search_response_warnings.mdx +++ b/api_docs/kbn_search_response_warnings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-response-warnings title: "@kbn/search-response-warnings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-response-warnings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-response-warnings'] --- import kbnSearchResponseWarningsObj from './kbn_search_response_warnings.devdocs.json'; diff --git a/api_docs/kbn_search_shared_ui.mdx b/api_docs/kbn_search_shared_ui.mdx index 93756b11c3fbb..95058a1429229 100644 --- a/api_docs/kbn_search_shared_ui.mdx +++ b/api_docs/kbn_search_shared_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-shared-ui title: "@kbn/search-shared-ui" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-shared-ui plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-shared-ui'] --- import kbnSearchSharedUiObj from './kbn_search_shared_ui.devdocs.json'; diff --git a/api_docs/kbn_search_types.mdx b/api_docs/kbn_search_types.mdx index e5cd23b1e184b..efb0276863498 100644 --- a/api_docs/kbn_search_types.mdx +++ b/api_docs/kbn_search_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-types title: "@kbn/search-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-types'] --- import kbnSearchTypesObj from './kbn_search_types.devdocs.json'; diff --git a/api_docs/kbn_security_api_key_management.mdx b/api_docs/kbn_security_api_key_management.mdx index a4bf23c6ff499..c8b0c44240fb0 100644 --- a/api_docs/kbn_security_api_key_management.mdx +++ b/api_docs/kbn_security_api_key_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-api-key-management title: "@kbn/security-api-key-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-api-key-management plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-api-key-management'] --- import kbnSecurityApiKeyManagementObj from './kbn_security_api_key_management.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core.mdx b/api_docs/kbn_security_authorization_core.mdx index 90d70f6e262d7..398336aea1847 100644 --- a/api_docs/kbn_security_authorization_core.mdx +++ b/api_docs/kbn_security_authorization_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core title: "@kbn/security-authorization-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core'] --- import kbnSecurityAuthorizationCoreObj from './kbn_security_authorization_core.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core_common.mdx b/api_docs/kbn_security_authorization_core_common.mdx index 4646e78ae5853..1fd084f7cbf0e 100644 --- a/api_docs/kbn_security_authorization_core_common.mdx +++ b/api_docs/kbn_security_authorization_core_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core-common title: "@kbn/security-authorization-core-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core-common'] --- import kbnSecurityAuthorizationCoreCommonObj from './kbn_security_authorization_core_common.devdocs.json'; diff --git a/api_docs/kbn_security_form_components.mdx b/api_docs/kbn_security_form_components.mdx index 3d2663f5df10f..239baffcc7c0d 100644 --- a/api_docs/kbn_security_form_components.mdx +++ b/api_docs/kbn_security_form_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-form-components title: "@kbn/security-form-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-form-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-form-components'] --- import kbnSecurityFormComponentsObj from './kbn_security_form_components.devdocs.json'; diff --git a/api_docs/kbn_security_hardening.mdx b/api_docs/kbn_security_hardening.mdx index a6c37ead67970..6c32d484e301c 100644 --- a/api_docs/kbn_security_hardening.mdx +++ b/api_docs/kbn_security_hardening.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-hardening title: "@kbn/security-hardening" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-hardening plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-hardening'] --- import kbnSecurityHardeningObj from './kbn_security_hardening.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_common.mdx b/api_docs/kbn_security_plugin_types_common.mdx index ba58fcd82ae2e..1ca24596e0f26 100644 --- a/api_docs/kbn_security_plugin_types_common.mdx +++ b/api_docs/kbn_security_plugin_types_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-common title: "@kbn/security-plugin-types-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-common plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-common'] --- import kbnSecurityPluginTypesCommonObj from './kbn_security_plugin_types_common.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_public.mdx b/api_docs/kbn_security_plugin_types_public.mdx index 9c4132e0fd158..56456ae7cd755 100644 --- a/api_docs/kbn_security_plugin_types_public.mdx +++ b/api_docs/kbn_security_plugin_types_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-public title: "@kbn/security-plugin-types-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-public plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-public'] --- import kbnSecurityPluginTypesPublicObj from './kbn_security_plugin_types_public.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_server.mdx b/api_docs/kbn_security_plugin_types_server.mdx index 10f5bf186006c..a5fb3f9632a20 100644 --- a/api_docs/kbn_security_plugin_types_server.mdx +++ b/api_docs/kbn_security_plugin_types_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-server title: "@kbn/security-plugin-types-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-server'] --- import kbnSecurityPluginTypesServerObj from './kbn_security_plugin_types_server.devdocs.json'; diff --git a/api_docs/kbn_security_role_management_model.mdx b/api_docs/kbn_security_role_management_model.mdx index 6006c837f7d74..01adeecdd58de 100644 --- a/api_docs/kbn_security_role_management_model.mdx +++ b/api_docs/kbn_security_role_management_model.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-role-management-model title: "@kbn/security-role-management-model" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-role-management-model plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-role-management-model'] --- import kbnSecurityRoleManagementModelObj from './kbn_security_role_management_model.devdocs.json'; diff --git a/api_docs/kbn_security_solution_distribution_bar.mdx b/api_docs/kbn_security_solution_distribution_bar.mdx index 2458ec37c197a..0e0f6fbe2246b 100644 --- a/api_docs/kbn_security_solution_distribution_bar.mdx +++ b/api_docs/kbn_security_solution_distribution_bar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-distribution-bar title: "@kbn/security-solution-distribution-bar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-distribution-bar plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-distribution-bar'] --- import kbnSecuritySolutionDistributionBarObj from './kbn_security_solution_distribution_bar.devdocs.json'; diff --git a/api_docs/kbn_security_solution_features.mdx b/api_docs/kbn_security_solution_features.mdx index c78e45d4288f9..7baed49a171d6 100644 --- a/api_docs/kbn_security_solution_features.mdx +++ b/api_docs/kbn_security_solution_features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-features title: "@kbn/security-solution-features" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-features plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-features'] --- import kbnSecuritySolutionFeaturesObj from './kbn_security_solution_features.devdocs.json'; diff --git a/api_docs/kbn_security_solution_navigation.mdx b/api_docs/kbn_security_solution_navigation.mdx index 8685f97c76059..c5b99947c24c5 100644 --- a/api_docs/kbn_security_solution_navigation.mdx +++ b/api_docs/kbn_security_solution_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-navigation title: "@kbn/security-solution-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-navigation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-navigation'] --- import kbnSecuritySolutionNavigationObj from './kbn_security_solution_navigation.devdocs.json'; diff --git a/api_docs/kbn_security_solution_side_nav.mdx b/api_docs/kbn_security_solution_side_nav.mdx index b0faffcd951b4..0fd8b27aa384e 100644 --- a/api_docs/kbn_security_solution_side_nav.mdx +++ b/api_docs/kbn_security_solution_side_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-side-nav title: "@kbn/security-solution-side-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-side-nav plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-side-nav'] --- import kbnSecuritySolutionSideNavObj from './kbn_security_solution_side_nav.devdocs.json'; diff --git a/api_docs/kbn_security_solution_storybook_config.mdx b/api_docs/kbn_security_solution_storybook_config.mdx index afa00225ca66e..11fa6f588aa40 100644 --- a/api_docs/kbn_security_solution_storybook_config.mdx +++ b/api_docs/kbn_security_solution_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-storybook-config title: "@kbn/security-solution-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-storybook-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-storybook-config'] --- import kbnSecuritySolutionStorybookConfigObj from './kbn_security_solution_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_security_ui_components.mdx b/api_docs/kbn_security_ui_components.mdx index e4292f5885ab7..b21abdc7e36e0 100644 --- a/api_docs/kbn_security_ui_components.mdx +++ b/api_docs/kbn_security_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-ui-components title: "@kbn/security-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-ui-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-ui-components'] --- import kbnSecurityUiComponentsObj from './kbn_security_ui_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index bb1ddbaa19d00..30b54aeb0b42e 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_data_table.mdx b/api_docs/kbn_securitysolution_data_table.mdx index b75e168b38491..f2509f74f828b 100644 --- a/api_docs/kbn_securitysolution_data_table.mdx +++ b/api_docs/kbn_securitysolution_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-data-table title: "@kbn/securitysolution-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-data-table plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-data-table'] --- import kbnSecuritysolutionDataTableObj from './kbn_securitysolution_data_table.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_ecs.mdx b/api_docs/kbn_securitysolution_ecs.mdx index 8b68542a277cb..1e8d08fe8dbe4 100644 --- a/api_docs/kbn_securitysolution_ecs.mdx +++ b/api_docs/kbn_securitysolution_ecs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-ecs title: "@kbn/securitysolution-ecs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-ecs plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-ecs'] --- import kbnSecuritysolutionEcsObj from './kbn_securitysolution_ecs.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index 534f85ce5ef07..b46f66524e70d 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index 8db4ce37dae9e..87bd96ac24ba1 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index e40e78d38b651..8eb1423803307 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index e8a75995352da..f4b3b0884b3f6 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index f8748de9cfd9f..d70f79b123bb8 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index 011789b9497d2..f683d32b6f42a 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index c2f1f70f1dcb1..b9379cf559270 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index b9bda6a2426d9..168886fc58f0f 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index 6f2d30c1ae053..e2b45b5e4a35b 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index 58fe6b3aac728..be064825c36e5 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index fb4a0bf859e67..3e8018c782908 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 15ea690b1faff..6a36012089efe 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 2ba7ae16121f2..67a9380d0fabb 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index bfd9c2c492b9d..044c5e8d5ffee 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index 68c176509c6ed..cced5050ffe2b 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 2db4be82bb8d0..372b3d0ac09f2 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_client.mdx b/api_docs/kbn_server_route_repository_client.mdx index 5e71b43039715..f35f1741e3069 100644 --- a/api_docs/kbn_server_route_repository_client.mdx +++ b/api_docs/kbn_server_route_repository_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-client title: "@kbn/server-route-repository-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-client plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-client'] --- import kbnServerRouteRepositoryClientObj from './kbn_server_route_repository_client.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_utils.mdx b/api_docs/kbn_server_route_repository_utils.mdx index 982de8c396f91..417e4c2baa580 100644 --- a/api_docs/kbn_server_route_repository_utils.mdx +++ b/api_docs/kbn_server_route_repository_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-utils title: "@kbn/server-route-repository-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-utils'] --- import kbnServerRouteRepositoryUtilsObj from './kbn_server_route_repository_utils.devdocs.json'; diff --git a/api_docs/kbn_serverless_common_settings.mdx b/api_docs/kbn_serverless_common_settings.mdx index 136b661292837..403bd5f2d4542 100644 --- a/api_docs/kbn_serverless_common_settings.mdx +++ b/api_docs/kbn_serverless_common_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-common-settings title: "@kbn/serverless-common-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-common-settings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-common-settings'] --- import kbnServerlessCommonSettingsObj from './kbn_serverless_common_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_observability_settings.mdx b/api_docs/kbn_serverless_observability_settings.mdx index a6c279ae5d62d..78a1a266eeb58 100644 --- a/api_docs/kbn_serverless_observability_settings.mdx +++ b/api_docs/kbn_serverless_observability_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-observability-settings title: "@kbn/serverless-observability-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-observability-settings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-observability-settings'] --- import kbnServerlessObservabilitySettingsObj from './kbn_serverless_observability_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_project_switcher.mdx b/api_docs/kbn_serverless_project_switcher.mdx index 1ed97c91d03e4..423a7985d2ed8 100644 --- a/api_docs/kbn_serverless_project_switcher.mdx +++ b/api_docs/kbn_serverless_project_switcher.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-project-switcher title: "@kbn/serverless-project-switcher" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-project-switcher plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-project-switcher'] --- import kbnServerlessProjectSwitcherObj from './kbn_serverless_project_switcher.devdocs.json'; diff --git a/api_docs/kbn_serverless_search_settings.mdx b/api_docs/kbn_serverless_search_settings.mdx index 232ce9138ed2b..691d0cd7998d8 100644 --- a/api_docs/kbn_serverless_search_settings.mdx +++ b/api_docs/kbn_serverless_search_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-search-settings title: "@kbn/serverless-search-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-search-settings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-search-settings'] --- import kbnServerlessSearchSettingsObj from './kbn_serverless_search_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_security_settings.mdx b/api_docs/kbn_serverless_security_settings.mdx index e1ae8b46ba0f6..898ef19517308 100644 --- a/api_docs/kbn_serverless_security_settings.mdx +++ b/api_docs/kbn_serverless_security_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-security-settings title: "@kbn/serverless-security-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-security-settings plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-security-settings'] --- import kbnServerlessSecuritySettingsObj from './kbn_serverless_security_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_storybook_config.mdx b/api_docs/kbn_serverless_storybook_config.mdx index 02289025a7e80..33a65cf5605cd 100644 --- a/api_docs/kbn_serverless_storybook_config.mdx +++ b/api_docs/kbn_serverless_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-storybook-config title: "@kbn/serverless-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-storybook-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-storybook-config'] --- import kbnServerlessStorybookConfigObj from './kbn_serverless_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index e4992e8e5b26d..3275020eed15c 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 44a3302a8c719..9891de336d504 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 2502577e0418d..048d129e581eb 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index 71ca8b85e74d7..0c6961addde54 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index 1cd0a73ab302f..4d569fc1fd773 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index 65ba94a9296f2..d2ea3c0307965 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_chrome_navigation.mdx b/api_docs/kbn_shared_ux_chrome_navigation.mdx index d86e3f35eb851..0913494083da9 100644 --- a/api_docs/kbn_shared_ux_chrome_navigation.mdx +++ b/api_docs/kbn_shared_ux_chrome_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-chrome-navigation title: "@kbn/shared-ux-chrome-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-chrome-navigation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-chrome-navigation'] --- import kbnSharedUxChromeNavigationObj from './kbn_shared_ux_chrome_navigation.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_error_boundary.mdx b/api_docs/kbn_shared_ux_error_boundary.mdx index da5b32e308e0f..ec7a24fcf41c7 100644 --- a/api_docs/kbn_shared_ux_error_boundary.mdx +++ b/api_docs/kbn_shared_ux_error_boundary.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-error-boundary title: "@kbn/shared-ux-error-boundary" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-error-boundary plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-error-boundary'] --- import kbnSharedUxErrorBoundaryObj from './kbn_shared_ux_error_boundary.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index 9946890d4828e..e680fe82bd8f3 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index 5d378015baa6b..2185d4419637c 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index b24265c320798..018fb5b7784c0 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index 6224bbbfb18d1..58f582e1d9d9e 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_picker.mdx b/api_docs/kbn_shared_ux_file_picker.mdx index 9322dea812f18..1a41c19254ac5 100644 --- a/api_docs/kbn_shared_ux_file_picker.mdx +++ b/api_docs/kbn_shared_ux_file_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-picker title: "@kbn/shared-ux-file-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-picker plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-picker'] --- import kbnSharedUxFilePickerObj from './kbn_shared_ux_file_picker.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_types.mdx b/api_docs/kbn_shared_ux_file_types.mdx index 2116158056306..748d923f6d09b 100644 --- a/api_docs/kbn_shared_ux_file_types.mdx +++ b/api_docs/kbn_shared_ux_file_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-types title: "@kbn/shared-ux-file-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-types'] --- import kbnSharedUxFileTypesObj from './kbn_shared_ux_file_types.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_upload.mdx b/api_docs/kbn_shared_ux_file_upload.mdx index 8c797c4e0a96e..bd088861e6653 100644 --- a/api_docs/kbn_shared_ux_file_upload.mdx +++ b/api_docs/kbn_shared_ux_file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-upload title: "@kbn/shared-ux-file-upload" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-upload plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-upload'] --- import kbnSharedUxFileUploadObj from './kbn_shared_ux_file_upload.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index 400565b6fdb83..440034c6631e2 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index f5fa84c32075c..d5d3d607cc37a 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index e8bfeac42d2f5..fea3b18334386 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index c9e87e7eefb60..8ad62a224c9c0 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 1cb0ed3f7ad5a..64ce71753ed57 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index 243b351aaa686..e229b42b73323 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index ed4e6acc4149f..6c2756c112bb0 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index d379791b75cc0..55900f079a9ae 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index adcf1b40a644f..b70d673b35c58 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index cf844a294179b..578b5c3f99237 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index d34b3b9d6f1e3..345bc5b08efa8 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index 1b954a9c82850..42eb175921d1c 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index bc0ce0eafb7fa..6a8798880c7b8 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index c0c1c9a4a3a9e..496d1ebcb8d1d 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index 79f9761980df2..a9281cc7948ad 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index 9fc7e710a8ded..6a27c2b4fc6dc 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index d623ab05fb70f..1f897bd14e94c 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 2a25c52d4ad6e..92eaa8c258ab6 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index c32a09cac17c5..52d7400cbd7b7 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index 3a67153c0039f..d6f2d770d9411 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index cbb2b67a60bfd..2a25496fde93d 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 06aebfad6930f..314880aad30bb 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index f5b8e1fe691a8..aca8c716c666b 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_tabbed_modal.mdx b/api_docs/kbn_shared_ux_tabbed_modal.mdx index c64f6cf3a059a..242887f97ed5c 100644 --- a/api_docs/kbn_shared_ux_tabbed_modal.mdx +++ b/api_docs/kbn_shared_ux_tabbed_modal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-tabbed-modal title: "@kbn/shared-ux-tabbed-modal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-tabbed-modal plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-tabbed-modal'] --- import kbnSharedUxTabbedModalObj from './kbn_shared_ux_tabbed_modal.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_table_persist.mdx b/api_docs/kbn_shared_ux_table_persist.mdx index 1eb892568ee18..31d2563532f52 100644 --- a/api_docs/kbn_shared_ux_table_persist.mdx +++ b/api_docs/kbn_shared_ux_table_persist.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-table-persist title: "@kbn/shared-ux-table-persist" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-table-persist plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-table-persist'] --- import kbnSharedUxTablePersistObj from './kbn_shared_ux_table_persist.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index bde0c28d8bfaa..f6ecd8fefa466 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_slo_schema.mdx b/api_docs/kbn_slo_schema.mdx index 3a6ddff2891ee..e39fe2427c558 100644 --- a/api_docs/kbn_slo_schema.mdx +++ b/api_docs/kbn_slo_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-slo-schema title: "@kbn/slo-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/slo-schema plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/slo-schema'] --- import kbnSloSchemaObj from './kbn_slo_schema.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index d2dacaea9e9ca..2c2ababacb841 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_predicates.mdx b/api_docs/kbn_sort_predicates.mdx index 87c1cc278cd1e..d541324d5ee63 100644 --- a/api_docs/kbn_sort_predicates.mdx +++ b/api_docs/kbn_sort_predicates.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-predicates title: "@kbn/sort-predicates" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-predicates plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-predicates'] --- import kbnSortPredicatesObj from './kbn_sort_predicates.devdocs.json'; diff --git a/api_docs/kbn_sse_utils.mdx b/api_docs/kbn_sse_utils.mdx index df0cac9020ef9..cabf92c927890 100644 --- a/api_docs/kbn_sse_utils.mdx +++ b/api_docs/kbn_sse_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils title: "@kbn/sse-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils'] --- import kbnSseUtilsObj from './kbn_sse_utils.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_client.mdx b/api_docs/kbn_sse_utils_client.mdx index 537ae588909f8..d582fef84565c 100644 --- a/api_docs/kbn_sse_utils_client.mdx +++ b/api_docs/kbn_sse_utils_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-client title: "@kbn/sse-utils-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-client plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-client'] --- import kbnSseUtilsClientObj from './kbn_sse_utils_client.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_server.mdx b/api_docs/kbn_sse_utils_server.mdx index d2677b6dff262..3b953e4fb62aa 100644 --- a/api_docs/kbn_sse_utils_server.mdx +++ b/api_docs/kbn_sse_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-server title: "@kbn/sse-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-server plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-server'] --- import kbnSseUtilsServerObj from './kbn_sse_utils_server.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index e49917c50de2e..5f98ae329d2b5 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index aaa8fa139e9e2..069cead8ecca3 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index 5bc92ef039b8a..a2eaf731d910a 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_synthetics_e2e.mdx b/api_docs/kbn_synthetics_e2e.mdx index c2f4af390f879..2110580b0e913 100644 --- a/api_docs/kbn_synthetics_e2e.mdx +++ b/api_docs/kbn_synthetics_e2e.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-e2e title: "@kbn/synthetics-e2e" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-e2e plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-e2e'] --- import kbnSyntheticsE2eObj from './kbn_synthetics_e2e.devdocs.json'; diff --git a/api_docs/kbn_synthetics_private_location.mdx b/api_docs/kbn_synthetics_private_location.mdx index d780c3b376bdb..ad27bbfb11c99 100644 --- a/api_docs/kbn_synthetics_private_location.mdx +++ b/api_docs/kbn_synthetics_private_location.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-private-location title: "@kbn/synthetics-private-location" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-private-location plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-private-location'] --- import kbnSyntheticsPrivateLocationObj from './kbn_synthetics_private_location.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index e2754d25307e3..be9af9931d488 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 36275bc25a90b..373735c4ae194 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_eui_helpers.mdx b/api_docs/kbn_test_eui_helpers.mdx index 756416fecc44f..351bc0e530bbc 100644 --- a/api_docs/kbn_test_eui_helpers.mdx +++ b/api_docs/kbn_test_eui_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-eui-helpers title: "@kbn/test-eui-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-eui-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-eui-helpers'] --- import kbnTestEuiHelpersObj from './kbn_test_eui_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index 8c49ad33cdf67..3026842e0471b 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index eca9a114cc2b8..1b657b038a0ed 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_timerange.mdx b/api_docs/kbn_timerange.mdx index 8e25a701b56d0..d184f7bb0dc4b 100644 --- a/api_docs/kbn_timerange.mdx +++ b/api_docs/kbn_timerange.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-timerange title: "@kbn/timerange" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/timerange plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/timerange'] --- import kbnTimerangeObj from './kbn_timerange.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index 331282c02dbbe..10ce7a54cb52f 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_transpose_utils.mdx b/api_docs/kbn_transpose_utils.mdx index 149b21098ac1b..e4899efa1d76f 100644 --- a/api_docs/kbn_transpose_utils.mdx +++ b/api_docs/kbn_transpose_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-transpose-utils title: "@kbn/transpose-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/transpose-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/transpose-utils'] --- import kbnTransposeUtilsObj from './kbn_transpose_utils.devdocs.json'; diff --git a/api_docs/kbn_triggers_actions_ui_types.mdx b/api_docs/kbn_triggers_actions_ui_types.mdx index 633543578b2fc..b15217fa92831 100644 --- a/api_docs/kbn_triggers_actions_ui_types.mdx +++ b/api_docs/kbn_triggers_actions_ui_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-triggers-actions-ui-types title: "@kbn/triggers-actions-ui-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/triggers-actions-ui-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/triggers-actions-ui-types'] --- import kbnTriggersActionsUiTypesObj from './kbn_triggers_actions_ui_types.devdocs.json'; diff --git a/api_docs/kbn_try_in_console.mdx b/api_docs/kbn_try_in_console.mdx index c3f0ee486880b..d3181b34deab4 100644 --- a/api_docs/kbn_try_in_console.mdx +++ b/api_docs/kbn_try_in_console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-try-in-console title: "@kbn/try-in-console" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/try-in-console plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/try-in-console'] --- import kbnTryInConsoleObj from './kbn_try_in_console.devdocs.json'; diff --git a/api_docs/kbn_ts_projects.mdx b/api_docs/kbn_ts_projects.mdx index 20ece0b1a7cac..314f24fc10f79 100644 --- a/api_docs/kbn_ts_projects.mdx +++ b/api_docs/kbn_ts_projects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ts-projects title: "@kbn/ts-projects" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ts-projects plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ts-projects'] --- import kbnTsProjectsObj from './kbn_ts_projects.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index a0fc2ba136507..e5ea0cc5d0a63 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_actions_browser.mdx b/api_docs/kbn_ui_actions_browser.mdx index 4d9dac7a88580..0dc10e35c770e 100644 --- a/api_docs/kbn_ui_actions_browser.mdx +++ b/api_docs/kbn_ui_actions_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-actions-browser title: "@kbn/ui-actions-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-actions-browser plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-actions-browser'] --- import kbnUiActionsBrowserObj from './kbn_ui_actions_browser.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index f7a45618c3b3b..f56d0c375da27 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 723fe7c11f94a..3611d43fdcf52 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_unified_data_table.mdx b/api_docs/kbn_unified_data_table.mdx index b44d39ccd4aeb..d7df74d8487a7 100644 --- a/api_docs/kbn_unified_data_table.mdx +++ b/api_docs/kbn_unified_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-data-table title: "@kbn/unified-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-data-table plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-data-table'] --- import kbnUnifiedDataTableObj from './kbn_unified_data_table.devdocs.json'; diff --git a/api_docs/kbn_unified_doc_viewer.mdx b/api_docs/kbn_unified_doc_viewer.mdx index 8b95eb6aa0c42..dca73b9ede4d7 100644 --- a/api_docs/kbn_unified_doc_viewer.mdx +++ b/api_docs/kbn_unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-doc-viewer title: "@kbn/unified-doc-viewer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-doc-viewer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-doc-viewer'] --- import kbnUnifiedDocViewerObj from './kbn_unified_doc_viewer.devdocs.json'; diff --git a/api_docs/kbn_unified_field_list.mdx b/api_docs/kbn_unified_field_list.mdx index c77f07871cbfe..a126f1edc4e66 100644 --- a/api_docs/kbn_unified_field_list.mdx +++ b/api_docs/kbn_unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-field-list title: "@kbn/unified-field-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-field-list plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-field-list'] --- import kbnUnifiedFieldListObj from './kbn_unified_field_list.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_badge.mdx b/api_docs/kbn_unsaved_changes_badge.mdx index 389d87a2373f1..7e8b890ae184e 100644 --- a/api_docs/kbn_unsaved_changes_badge.mdx +++ b/api_docs/kbn_unsaved_changes_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-badge title: "@kbn/unsaved-changes-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-badge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-badge'] --- import kbnUnsavedChangesBadgeObj from './kbn_unsaved_changes_badge.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_prompt.mdx b/api_docs/kbn_unsaved_changes_prompt.mdx index 3ba67a041716a..6a4cf0d4bff45 100644 --- a/api_docs/kbn_unsaved_changes_prompt.mdx +++ b/api_docs/kbn_unsaved_changes_prompt.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-prompt title: "@kbn/unsaved-changes-prompt" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-prompt plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-prompt'] --- import kbnUnsavedChangesPromptObj from './kbn_unsaved_changes_prompt.devdocs.json'; diff --git a/api_docs/kbn_use_tracked_promise.mdx b/api_docs/kbn_use_tracked_promise.mdx index 714d79b2a6aa3..6f5617d5bd025 100644 --- a/api_docs/kbn_use_tracked_promise.mdx +++ b/api_docs/kbn_use_tracked_promise.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-use-tracked-promise title: "@kbn/use-tracked-promise" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/use-tracked-promise plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/use-tracked-promise'] --- import kbnUseTrackedPromiseObj from './kbn_use_tracked_promise.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index 8b097b9222a27..e8cb1af58fb44 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 931d03a9d489a..9a2b96f1eca81 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 759c705e7e27c..191083ab5b373 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index 2008769125401..f6e8a8a5878d3 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_visualization_ui_components.mdx b/api_docs/kbn_visualization_ui_components.mdx index 033de353e4023..64188f6da568f 100644 --- a/api_docs/kbn_visualization_ui_components.mdx +++ b/api_docs/kbn_visualization_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-ui-components title: "@kbn/visualization-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-ui-components plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-ui-components'] --- import kbnVisualizationUiComponentsObj from './kbn_visualization_ui_components.devdocs.json'; diff --git a/api_docs/kbn_visualization_utils.mdx b/api_docs/kbn_visualization_utils.mdx index a202a53d56c9a..9440222196237 100644 --- a/api_docs/kbn_visualization_utils.mdx +++ b/api_docs/kbn_visualization_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-utils title: "@kbn/visualization-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-utils'] --- import kbnVisualizationUtilsObj from './kbn_visualization_utils.devdocs.json'; diff --git a/api_docs/kbn_xstate_utils.mdx b/api_docs/kbn_xstate_utils.mdx index f1b9b113b3559..8a40d1b4e05c6 100644 --- a/api_docs/kbn_xstate_utils.mdx +++ b/api_docs/kbn_xstate_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-xstate-utils title: "@kbn/xstate-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/xstate-utils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/xstate-utils'] --- import kbnXstateUtilsObj from './kbn_xstate_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 22206645d00e6..72cf0ad439022 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kbn_zod.mdx b/api_docs/kbn_zod.mdx index a9d4124eaf6eb..11bda0cf11d8a 100644 --- a/api_docs/kbn_zod.mdx +++ b/api_docs/kbn_zod.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod title: "@kbn/zod" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod'] --- import kbnZodObj from './kbn_zod.devdocs.json'; diff --git a/api_docs/kbn_zod_helpers.mdx b/api_docs/kbn_zod_helpers.mdx index 90d3f12cf39b3..e095d78193458 100644 --- a/api_docs/kbn_zod_helpers.mdx +++ b/api_docs/kbn_zod_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod-helpers title: "@kbn/zod-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod-helpers plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod-helpers'] --- import kbnZodHelpersObj from './kbn_zod_helpers.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index 9a2bc703c91a9..d5b268939f5be 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index bfa6cee088998..b7dbe5939515b 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index 0896f63585488..706c0477a6a16 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index ae940cfebcf9d..777cc88cf47ae 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index a3130d6727bf3..8005200951934 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index eedd2a7a6f9d0..e6e7f38cd12d3 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index eda0d7f46ccf0..db671124884ea 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index aac1ffd7cbfc3..78b426ce0e9dd 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/links.mdx b/api_docs/links.mdx index 8e95012951604..4e528bff3fa1a 100644 --- a/api_docs/links.mdx +++ b/api_docs/links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/links title: "links" image: https://source.unsplash.com/400x175/?github description: API docs for the links plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'links'] --- import linksObj from './links.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index c41a5399be82d..3fcf4bb9ca78d 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/llm_tasks.mdx b/api_docs/llm_tasks.mdx index a1bac878a2e4c..95780c6af0da7 100644 --- a/api_docs/llm_tasks.mdx +++ b/api_docs/llm_tasks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/llmTasks title: "llmTasks" image: https://source.unsplash.com/400x175/?github description: API docs for the llmTasks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'llmTasks'] --- import llmTasksObj from './llm_tasks.devdocs.json'; diff --git a/api_docs/logs_data_access.mdx b/api_docs/logs_data_access.mdx index 718062aa0023b..c06416c2ac096 100644 --- a/api_docs/logs_data_access.mdx +++ b/api_docs/logs_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsDataAccess title: "logsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the logsDataAccess plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsDataAccess'] --- import logsDataAccessObj from './logs_data_access.devdocs.json'; diff --git a/api_docs/logs_explorer.mdx b/api_docs/logs_explorer.mdx index 606fd570df16b..ff6006409fb82 100644 --- a/api_docs/logs_explorer.mdx +++ b/api_docs/logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsExplorer title: "logsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the logsExplorer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsExplorer'] --- import logsExplorerObj from './logs_explorer.devdocs.json'; diff --git a/api_docs/logs_shared.mdx b/api_docs/logs_shared.mdx index 1e0ef947dfbd2..e1e7031b776c8 100644 --- a/api_docs/logs_shared.mdx +++ b/api_docs/logs_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsShared title: "logsShared" image: https://source.unsplash.com/400x175/?github description: API docs for the logsShared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsShared'] --- import logsSharedObj from './logs_shared.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index fd45c7a51cc40..312b463f7a026 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index 49083b189eb3c..a316675a78690 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 568bdf43458f0..574dc217e5bf1 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/metrics_data_access.mdx b/api_docs/metrics_data_access.mdx index bf8ad25e3da7f..ff14b025262ee 100644 --- a/api_docs/metrics_data_access.mdx +++ b/api_docs/metrics_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/metricsDataAccess title: "metricsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the metricsDataAccess plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'metricsDataAccess'] --- import metricsDataAccessObj from './metrics_data_access.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index 0fb4acbd73b41..571b46b7d6f04 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/mock_idp_plugin.mdx b/api_docs/mock_idp_plugin.mdx index c5fe3b22b8f44..3d7f17c803047 100644 --- a/api_docs/mock_idp_plugin.mdx +++ b/api_docs/mock_idp_plugin.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mockIdpPlugin title: "mockIdpPlugin" image: https://source.unsplash.com/400x175/?github description: API docs for the mockIdpPlugin plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mockIdpPlugin'] --- import mockIdpPluginObj from './mock_idp_plugin.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index e26faf17180e9..9515d5ac639a8 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index ebd1a7f22c016..695f51921c1ac 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index 43af8241dce14..e517ef9a9fc8e 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index b47f19f7c99d9..2082e7bad3f13 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/no_data_page.mdx b/api_docs/no_data_page.mdx index 08d09a3eae277..57a2725197d4c 100644 --- a/api_docs/no_data_page.mdx +++ b/api_docs/no_data_page.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/noDataPage title: "noDataPage" image: https://source.unsplash.com/400x175/?github description: API docs for the noDataPage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'noDataPage'] --- import noDataPageObj from './no_data_page.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index 2069370f2879e..31d9c6c7b043d 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index fce64cc4b3cd2..e67d059cc40e4 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant.mdx b/api_docs/observability_a_i_assistant.mdx index 1e00ba9856820..1f1256ff2a797 100644 --- a/api_docs/observability_a_i_assistant.mdx +++ b/api_docs/observability_a_i_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistant title: "observabilityAIAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistant'] --- import observabilityAIAssistantObj from './observability_a_i_assistant.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant_app.mdx b/api_docs/observability_a_i_assistant_app.mdx index 1a90d0aa943e8..bcbd31a729be8 100644 --- a/api_docs/observability_a_i_assistant_app.mdx +++ b/api_docs/observability_a_i_assistant_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistantApp title: "observabilityAIAssistantApp" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistantApp plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistantApp'] --- import observabilityAIAssistantAppObj from './observability_a_i_assistant_app.devdocs.json'; diff --git a/api_docs/observability_ai_assistant_management.mdx b/api_docs/observability_ai_assistant_management.mdx index 8340ce3ad0356..a07de7ad946b4 100644 --- a/api_docs/observability_ai_assistant_management.mdx +++ b/api_docs/observability_ai_assistant_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAiAssistantManagement title: "observabilityAiAssistantManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAiAssistantManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAiAssistantManagement'] --- import observabilityAiAssistantManagementObj from './observability_ai_assistant_management.devdocs.json'; diff --git a/api_docs/observability_logs_explorer.mdx b/api_docs/observability_logs_explorer.mdx index 9a1308a6f44d3..d6280a47fb31e 100644 --- a/api_docs/observability_logs_explorer.mdx +++ b/api_docs/observability_logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityLogsExplorer title: "observabilityLogsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityLogsExplorer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityLogsExplorer'] --- import observabilityLogsExplorerObj from './observability_logs_explorer.devdocs.json'; diff --git a/api_docs/observability_onboarding.mdx b/api_docs/observability_onboarding.mdx index ccdab84115fc7..413f167092eff 100644 --- a/api_docs/observability_onboarding.mdx +++ b/api_docs/observability_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityOnboarding title: "observabilityOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityOnboarding plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityOnboarding'] --- import observabilityOnboardingObj from './observability_onboarding.devdocs.json'; diff --git a/api_docs/observability_shared.mdx b/api_docs/observability_shared.mdx index 2d3554d15c449..435e1e536f540 100644 --- a/api_docs/observability_shared.mdx +++ b/api_docs/observability_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityShared title: "observabilityShared" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityShared plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityShared'] --- import observabilitySharedObj from './observability_shared.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index 0f058715b3b1f..c4496e5543bd4 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/painless_lab.mdx b/api_docs/painless_lab.mdx index d586196642896..14769fd07c3ba 100644 --- a/api_docs/painless_lab.mdx +++ b/api_docs/painless_lab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/painlessLab title: "painlessLab" image: https://source.unsplash.com/400x175/?github description: API docs for the painlessLab plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'painlessLab'] --- import painlessLabObj from './painless_lab.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index 848e9a7a5d481..e3f7b15017290 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/presentation_panel.mdx b/api_docs/presentation_panel.mdx index e8901a091ef1a..a8df67f6bc886 100644 --- a/api_docs/presentation_panel.mdx +++ b/api_docs/presentation_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationPanel title: "presentationPanel" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationPanel plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationPanel'] --- import presentationPanelObj from './presentation_panel.devdocs.json'; diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index 3567d727f7e17..ba7169a12adde 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/product_doc_base.mdx b/api_docs/product_doc_base.mdx index cfdb5bb075710..5ea3cc4bb7d88 100644 --- a/api_docs/product_doc_base.mdx +++ b/api_docs/product_doc_base.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/productDocBase title: "productDocBase" image: https://source.unsplash.com/400x175/?github description: API docs for the productDocBase plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'productDocBase'] --- import productDocBaseObj from './product_doc_base.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index f8ec0df252582..178496a6f8ee8 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/profiling_data_access.mdx b/api_docs/profiling_data_access.mdx index 2278c245c8524..1ba6341f5facb 100644 --- a/api_docs/profiling_data_access.mdx +++ b/api_docs/profiling_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profilingDataAccess title: "profilingDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the profilingDataAccess plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profilingDataAccess'] --- import profilingDataAccessObj from './profiling_data_access.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index c4f85aa0bf765..7eac333fc0ed6 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index 37a165fc7e36d..213eaa182fad0 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index 557756cb43db8..db662e4487ac0 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index deb6630267553..fdd4304b555e4 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index 519c22416951b..bca2c6dc3fba9 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index 9ebbf5beeba12..38c97596c6b48 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index 4071f17015013..5047ccb6ed140 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index 77912ca922a18..00f657325e8e8 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index d8889de7c5db3..6eb4c73e0aebc 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index bc16281695ef0..08c4d96695b10 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index 4e006f387faf4..dcdeb93901bbd 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index ecb6736764d46..e28d0c47a0cb7 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index 9906af118d626..6e331ce2c14a1 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/search_assistant.mdx b/api_docs/search_assistant.mdx index d23469e0c5183..8e0ca4a99b2e9 100644 --- a/api_docs/search_assistant.mdx +++ b/api_docs/search_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchAssistant title: "searchAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the searchAssistant plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchAssistant'] --- import searchAssistantObj from './search_assistant.devdocs.json'; diff --git a/api_docs/search_connectors.mdx b/api_docs/search_connectors.mdx index 12fb41008d3cd..88ad488258c02 100644 --- a/api_docs/search_connectors.mdx +++ b/api_docs/search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchConnectors title: "searchConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the searchConnectors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchConnectors'] --- import searchConnectorsObj from './search_connectors.devdocs.json'; diff --git a/api_docs/search_homepage.mdx b/api_docs/search_homepage.mdx index caab04d0d42f0..d2ee5ebb013e0 100644 --- a/api_docs/search_homepage.mdx +++ b/api_docs/search_homepage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchHomepage title: "searchHomepage" image: https://source.unsplash.com/400x175/?github description: API docs for the searchHomepage plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchHomepage'] --- import searchHomepageObj from './search_homepage.devdocs.json'; diff --git a/api_docs/search_indices.mdx b/api_docs/search_indices.mdx index d88355ba8f792..cd38902288c66 100644 --- a/api_docs/search_indices.mdx +++ b/api_docs/search_indices.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchIndices title: "searchIndices" image: https://source.unsplash.com/400x175/?github description: API docs for the searchIndices plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchIndices'] --- import searchIndicesObj from './search_indices.devdocs.json'; diff --git a/api_docs/search_inference_endpoints.mdx b/api_docs/search_inference_endpoints.mdx index 3911b19eb20df..1d5d18c471822 100644 --- a/api_docs/search_inference_endpoints.mdx +++ b/api_docs/search_inference_endpoints.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchInferenceEndpoints title: "searchInferenceEndpoints" image: https://source.unsplash.com/400x175/?github description: API docs for the searchInferenceEndpoints plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchInferenceEndpoints'] --- import searchInferenceEndpointsObj from './search_inference_endpoints.devdocs.json'; diff --git a/api_docs/search_navigation.mdx b/api_docs/search_navigation.mdx index bd2e3e03369ae..8a358c5301d0d 100644 --- a/api_docs/search_navigation.mdx +++ b/api_docs/search_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNavigation title: "searchNavigation" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNavigation plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNavigation'] --- import searchNavigationObj from './search_navigation.devdocs.json'; diff --git a/api_docs/search_notebooks.mdx b/api_docs/search_notebooks.mdx index e7782839e9ea5..0224c6aabdf19 100644 --- a/api_docs/search_notebooks.mdx +++ b/api_docs/search_notebooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNotebooks title: "searchNotebooks" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNotebooks plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNotebooks'] --- import searchNotebooksObj from './search_notebooks.devdocs.json'; diff --git a/api_docs/search_playground.mdx b/api_docs/search_playground.mdx index feaefe61b2f8a..68815d70013be 100644 --- a/api_docs/search_playground.mdx +++ b/api_docs/search_playground.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchPlayground title: "searchPlayground" image: https://source.unsplash.com/400x175/?github description: API docs for the searchPlayground plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchPlayground'] --- import searchPlaygroundObj from './search_playground.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index 81485d9d08677..ffe5eb78d2a85 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 352819ad4d6c5..3b5feba458987 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/security_solution_ess.mdx b/api_docs/security_solution_ess.mdx index 2d8800a3336a7..0908185957cb5 100644 --- a/api_docs/security_solution_ess.mdx +++ b/api_docs/security_solution_ess.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionEss title: "securitySolutionEss" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionEss plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionEss'] --- import securitySolutionEssObj from './security_solution_ess.devdocs.json'; diff --git a/api_docs/security_solution_serverless.mdx b/api_docs/security_solution_serverless.mdx index 52fb5d78b80d9..520a54ce27c66 100644 --- a/api_docs/security_solution_serverless.mdx +++ b/api_docs/security_solution_serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionServerless title: "securitySolutionServerless" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionServerless plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionServerless'] --- import securitySolutionServerlessObj from './security_solution_serverless.devdocs.json'; diff --git a/api_docs/serverless.mdx b/api_docs/serverless.mdx index c2f45429f75dd..00ae94ae23ed7 100644 --- a/api_docs/serverless.mdx +++ b/api_docs/serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverless title: "serverless" image: https://source.unsplash.com/400x175/?github description: API docs for the serverless plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverless'] --- import serverlessObj from './serverless.devdocs.json'; diff --git a/api_docs/serverless_observability.mdx b/api_docs/serverless_observability.mdx index 6a279a42d1383..3ada99171b077 100644 --- a/api_docs/serverless_observability.mdx +++ b/api_docs/serverless_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessObservability title: "serverlessObservability" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessObservability plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessObservability'] --- import serverlessObservabilityObj from './serverless_observability.devdocs.json'; diff --git a/api_docs/serverless_search.mdx b/api_docs/serverless_search.mdx index b32884c9b7b4f..8cf09c5aa74fe 100644 --- a/api_docs/serverless_search.mdx +++ b/api_docs/serverless_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessSearch title: "serverlessSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessSearch plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessSearch'] --- import serverlessSearchObj from './serverless_search.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index de23556b905af..61811c4ea2ca8 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index 2262cc1c07f02..9f3775149e532 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/slo.mdx b/api_docs/slo.mdx index a150ae530b823..45d0b4391d793 100644 --- a/api_docs/slo.mdx +++ b/api_docs/slo.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/slo title: "slo" image: https://source.unsplash.com/400x175/?github description: API docs for the slo plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'slo'] --- import sloObj from './slo.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index f32b4120d69ce..982bb1c7af239 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index de00c1b145ee6..b2983ff1de61c 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index d199b74884813..36e02d9096ae0 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 202d6d07078a8..7a25e6aba1565 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/streams.mdx b/api_docs/streams.mdx index c4f40e28818ca..603f7a7aee902 100644 --- a/api_docs/streams.mdx +++ b/api_docs/streams.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streams title: "streams" image: https://source.unsplash.com/400x175/?github description: API docs for the streams plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streams'] --- import streamsObj from './streams.devdocs.json'; diff --git a/api_docs/streams_app.mdx b/api_docs/streams_app.mdx index 52cd3d9469dd5..8d4cac039be64 100644 --- a/api_docs/streams_app.mdx +++ b/api_docs/streams_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streamsApp title: "streamsApp" image: https://source.unsplash.com/400x175/?github description: API docs for the streamsApp plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streamsApp'] --- import streamsAppObj from './streams_app.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index 05b7864e82fcb..86d2807a8bf14 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index 90a70acb48257..fddec6a03f87a 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index a051cb29e09d1..0b29801ec48f9 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 85e738cfc7882..037e4ce392cc8 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index 7e8fcc65b1907..43f1f898340d4 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index feaacfa11a52b..ff00b7f747d4b 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index 520b42d2f16c8..e261a7ede948c 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 6495cc93e8588..31b08672aa1d2 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index 56fd8c3dd8ed6..0d5e78b0534f5 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index 91d2797838ddd..56e0202da126f 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_doc_viewer.mdx b/api_docs/unified_doc_viewer.mdx index c97d0e7e1d1b3..69ba5da96dba5 100644 --- a/api_docs/unified_doc_viewer.mdx +++ b/api_docs/unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedDocViewer title: "unifiedDocViewer" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedDocViewer plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedDocViewer'] --- import unifiedDocViewerObj from './unified_doc_viewer.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 52e206161da2d..26f1472298184 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 5221cc8b5202d..0894f9585033f 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index 79061a8a1a14a..c294c0c4bf70f 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/uptime.mdx b/api_docs/uptime.mdx index 0beefa3977c9b..bee481d502838 100644 --- a/api_docs/uptime.mdx +++ b/api_docs/uptime.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uptime title: "uptime" image: https://source.unsplash.com/400x175/?github description: API docs for the uptime plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uptime'] --- import uptimeObj from './uptime.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index 5c18199873d8c..5b2100fb8bd58 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index 363cb0b209eb0..c84419490492c 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index 483a3eb767795..fd1e23ac0cb76 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index 1f68ab8bb9cb9..2f331689077e5 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index 4827a793d612c..cd97f3161e2ce 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index ae9c61aae637a..4946d9952b8d8 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index bec3adf8b034a..687dd4d4af126 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index 94b7ebdea528c..efe006644b1fc 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index cecbbdd986a6a..e402aae56d787 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index 75ca3408302e5..78192285cec3b 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index c88e9daebd52d..7a6af373968b2 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index bb4fc1c719a13..87bc72ae23455 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 4cdca953db8cd..678d5f6d86d23 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index d93d6fa1ea6cb..a955c583983a5 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2024-12-20 +date: 2024-12-21 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json'; From 43abe233d814cb9a5519a63a2f5942f8802879b2 Mon Sep 17 00:00:00 2001 From: Julia Date: Sat, 21 Dec 2024 21:01:11 +0100 Subject: [PATCH 30/31] [ResponceOps][MaintenanceWindow] MX Pagination (#202539) Fixes: https://github.com/elastic/kibana/issues/198252 In this PR I introduced pagination in MW frontend part and also pass filters(status and search) to the backend. Pagination arguments were passed to backend in another PR: https://github.com/elastic/kibana/pull/197172/files#diff-f375a192a08a6db3fbb6b6e927cecaab89ff401efc4034f00761e8fc4478734c How to test: Go to Maintenance Window, create more than 10 MW with different statuses. Try pagination, search on text and filter by status. Check the PR satisfies following conditions: - [x] Any text added follows [EUI's writing guidelines](https://elastic.github.io/eui/#/guidelines/writing), uses sentence case text and includes [i18n support](https://github.com/elastic/kibana/blob/main/packages/kbn-i18n/README.md) - [x] [Unit or functional tests](https://www.elastic.co/guide/en/kibana/master/development-tests.html) were updated or added to match the most common scenarios - [x] [Flaky Test Runner](https://ci-stats.kibana.dev/trigger_flaky_test_runner/1) was used on any tests changed - [x] The PR description includes the appropriate Release Notes section, and the correct `release_note:*` label is applied per the [guidelines](https://www.elastic.co/guide/en/kibana/master/contributing.html#kibana-release-notes-process) --------- Co-authored-by: kibanamachine <42973632+kibanamachine@users.noreply.github.com> --- .../current_fields.json | 5 +- .../current_mappings.json | 14 + .../check_registered_types.test.ts | 2 +- x-pack/plugins/alerting/common/index.ts | 2 + .../alerting/common/maintenance_window.ts | 3 + .../apis/find/schemas/v1.ts | 16 + .../use_find_maintenance_windows.test.tsx | 18 +- .../hooks/use_find_maintenance_windows.ts | 33 +- .../maintenance_windows_list.test.tsx | 21 ++ .../components/maintenance_windows_list.tsx | 134 ++++--- .../components/status_filter.test.tsx | 34 +- .../components/status_filter.tsx | 123 ++++--- .../pages/maintenance_windows/index.test.tsx | 2 +- .../pages/maintenance_windows/index.tsx | 56 ++- .../pages/maintenance_windows/translations.ts | 5 + .../maintenance_windows_api/find.test.ts | 19 +- .../services/maintenance_windows_api/find.ts | 29 +- .../find/find_maintenance_windows.test.ts | 183 +++++++++- .../methods/find/find_maintenance_windows.ts | 42 ++- .../find_maintenance_window_params_schema.ts | 9 + .../methods/find/schemas/index.ts | 5 +- .../types/find_maintenance_window_params.ts | 3 +- .../methods/find/types/index.ts | 5 +- .../methods/find_maintenance_window_so.ts | 4 +- .../find_maintenance_windows_route.test.ts | 9 +- .../v1.test.ts | 61 ++++ .../v1.ts | 14 +- .../maintenance_window_mapping.ts | 29 +- .../maintenance_window_model_versions.ts | 26 ++ .../find_maintenance_windows.ts | 339 +++++++++++++++++- .../maintenance_windows_table.ts | 88 ++++- 31 files changed, 1149 insertions(+), 184 deletions(-) create mode 100644 x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.test.ts diff --git a/packages/kbn-check-mappings-update-cli/current_fields.json b/packages/kbn-check-mappings-update-cli/current_fields.json index 45313933ab1b4..b902407b92e7a 100644 --- a/packages/kbn-check-mappings-update-cli/current_fields.json +++ b/packages/kbn-check-mappings-update-cli/current_fields.json @@ -762,7 +762,10 @@ ], "maintenance-window": [ "enabled", - "events" + "events", + "expirationDate", + "title", + "updatedAt" ], "map": [ "bounds", diff --git a/packages/kbn-check-mappings-update-cli/current_mappings.json b/packages/kbn-check-mappings-update-cli/current_mappings.json index 663fef8f4fef1..352e753162a36 100644 --- a/packages/kbn-check-mappings-update-cli/current_mappings.json +++ b/packages/kbn-check-mappings-update-cli/current_mappings.json @@ -2521,6 +2521,20 @@ "events": { "format": "epoch_millis||strict_date_optional_time", "type": "date_range" + }, + "expirationDate": { + "type": "date" + }, + "title": { + "fields": { + "keyword": { + "type": "keyword" + } + }, + "type": "text" + }, + "updatedAt": { + "type": "date" } } }, diff --git a/src/core/server/integration_tests/ci_checks/saved_objects/check_registered_types.test.ts b/src/core/server/integration_tests/ci_checks/saved_objects/check_registered_types.test.ts index b2d9693cfcc22..5aca6f1c04446 100644 --- a/src/core/server/integration_tests/ci_checks/saved_objects/check_registered_types.test.ts +++ b/src/core/server/integration_tests/ci_checks/saved_objects/check_registered_types.test.ts @@ -132,7 +132,7 @@ describe('checking migration metadata changes on all registered SO types', () => "lens": "5cfa2c52b979b4f8df56dd13c477e152183468b9", "lens-ui-telemetry": "8c47a9e393861f76e268345ecbadfc8a5fb1e0bd", "links": "1dd432cc94619a513b75cec43660a50be7aadc90", - "maintenance-window": "bf36863f5577c2d22625258bdad906eeb4cccccc", + "maintenance-window": "b84d9e0b3f89be0ae4b6fe1af6e38b4cd2554931", "map": "76c71023bd198fb6b1163b31bafd926fe2ceb9da", "metrics-data-source": "81b69dc9830699d9ead5ac8dcb9264612e2a3c89", "metrics-explorer-view": "98cf395d0e87b89ab63f173eae16735584a8ff42", diff --git a/x-pack/plugins/alerting/common/index.ts b/x-pack/plugins/alerting/common/index.ts index 8e5a258f15e6c..94c307b67fd02 100644 --- a/x-pack/plugins/alerting/common/index.ts +++ b/x-pack/plugins/alerting/common/index.ts @@ -62,6 +62,8 @@ export { MAINTENANCE_WINDOW_PATHS, MAINTENANCE_WINDOW_DEEP_LINK_IDS, MAINTENANCE_WINDOW_DATE_FORMAT, + MAINTENANCE_WINDOW_DEFAULT_PER_PAGE, + MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE, } from './maintenance_window'; export { diff --git a/x-pack/plugins/alerting/common/maintenance_window.ts b/x-pack/plugins/alerting/common/maintenance_window.ts index 70e02814bd4e1..8b893835f9157 100644 --- a/x-pack/plugins/alerting/common/maintenance_window.ts +++ b/x-pack/plugins/alerting/common/maintenance_window.ts @@ -110,3 +110,6 @@ export type MaintenanceWindowDeepLinkIds = (typeof MAINTENANCE_WINDOW_DEEP_LINK_IDS)[keyof typeof MAINTENANCE_WINDOW_DEEP_LINK_IDS]; export const MAINTENANCE_WINDOW_DATE_FORMAT = 'MM/DD/YY hh:mm A'; + +export const MAINTENANCE_WINDOW_DEFAULT_PER_PAGE = 10 as const; +export const MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE = 1 as const; diff --git a/x-pack/plugins/alerting/common/routes/maintenance_window/apis/find/schemas/v1.ts b/x-pack/plugins/alerting/common/routes/maintenance_window/apis/find/schemas/v1.ts index 7c4dffdd1d94c..9fece19882f4a 100644 --- a/x-pack/plugins/alerting/common/routes/maintenance_window/apis/find/schemas/v1.ts +++ b/x-pack/plugins/alerting/common/routes/maintenance_window/apis/find/schemas/v1.ts @@ -10,6 +10,13 @@ import { maintenanceWindowResponseSchemaV1 } from '../../../response'; const MAX_DOCS = 10000; +const statusSchema = schema.oneOf([ + schema.literal('running'), + schema.literal('finished'), + schema.literal('upcoming'), + schema.literal('archived'), +]); + export const findMaintenanceWindowsRequestQuerySchema = schema.object( { // we do not need to use schema.maybe here, because if we do not pass property page, defaultValue will be used @@ -30,6 +37,15 @@ export const findMaintenanceWindowsRequestQuerySchema = schema.object( description: 'The number of maintenance windows to return per page.', }, }), + search: schema.maybe( + schema.string({ + meta: { + description: + 'An Elasticsearch simple_query_string query that filters the objects in the response.', + }, + }) + ), + status: schema.maybe(schema.oneOf([statusSchema, schema.arrayOf(statusSchema)])), }, { validate: (params) => { diff --git a/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.test.tsx b/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.test.tsx index b543d7940cd9d..19a4f65d88036 100644 --- a/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.test.tsx +++ b/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.test.tsx @@ -11,6 +11,7 @@ import { AppMockRenderer, createAppMockRenderer } from '../lib/test_utils'; import { useFindMaintenanceWindows } from './use_find_maintenance_windows'; const mockAddDanger = jest.fn(); +const mockedHttp = jest.fn(); jest.mock('../utils/kibana_react', () => { const originalModule = jest.requireActual('../utils/kibana_react'); @@ -21,6 +22,7 @@ jest.mock('../utils/kibana_react', () => { return { services: { ...services, + http: mockedHttp, notifications: { toasts: { addDanger: mockAddDanger } }, }, }; @@ -33,6 +35,8 @@ jest.mock('../services/maintenance_windows_api/find', () => ({ const { findMaintenanceWindows } = jest.requireMock('../services/maintenance_windows_api/find'); +const defaultHookProps = { page: 1, perPage: 10, search: '', selectedStatus: [] }; + let appMockRenderer: AppMockRenderer; describe('useFindMaintenanceWindows', () => { @@ -42,10 +46,20 @@ describe('useFindMaintenanceWindows', () => { appMockRenderer = createAppMockRenderer(); }); + it('should call findMaintenanceWindows with correct arguments on successful scenario', async () => { + renderHook(() => useFindMaintenanceWindows({ ...defaultHookProps }), { + wrapper: appMockRenderer.AppWrapper, + }); + + await waitFor(() => + expect(findMaintenanceWindows).toHaveBeenCalledWith({ http: mockedHttp, ...defaultHookProps }) + ); + }); + it('should call onError if api fails', async () => { findMaintenanceWindows.mockRejectedValue('This is an error.'); - renderHook(() => useFindMaintenanceWindows(), { + renderHook(() => useFindMaintenanceWindows({ ...defaultHookProps }), { wrapper: appMockRenderer.AppWrapper, }); @@ -55,7 +69,7 @@ describe('useFindMaintenanceWindows', () => { }); it('should not try to find maintenance windows if not enabled', async () => { - renderHook(() => useFindMaintenanceWindows({ enabled: false }), { + renderHook(() => useFindMaintenanceWindows({ enabled: false, ...defaultHookProps }), { wrapper: appMockRenderer.AppWrapper, }); diff --git a/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.ts b/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.ts index 7f8293dbd5dd0..503cb58f1df88 100644 --- a/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.ts +++ b/x-pack/plugins/alerting/public/hooks/use_find_maintenance_windows.ts @@ -9,13 +9,18 @@ import { i18n } from '@kbn/i18n'; import { useQuery } from '@tanstack/react-query'; import { useKibana } from '../utils/kibana_react'; import { findMaintenanceWindows } from '../services/maintenance_windows_api/find'; +import { type MaintenanceWindowStatus } from '../../common'; interface UseFindMaintenanceWindowsProps { enabled?: boolean; + page: number; + perPage: number; + search: string; + selectedStatus: MaintenanceWindowStatus[]; } -export const useFindMaintenanceWindows = (props?: UseFindMaintenanceWindowsProps) => { - const { enabled = true } = props || {}; +export const useFindMaintenanceWindows = (params: UseFindMaintenanceWindowsProps) => { + const { enabled = true, page, perPage, search, selectedStatus } = params; const { http, @@ -23,7 +28,13 @@ export const useFindMaintenanceWindows = (props?: UseFindMaintenanceWindowsProps } = useKibana().services; const queryFn = () => { - return findMaintenanceWindows({ http }); + return findMaintenanceWindows({ + http, + page, + perPage, + search, + selectedStatus, + }); }; const onErrorFn = (error: Error) => { @@ -36,24 +47,22 @@ export const useFindMaintenanceWindows = (props?: UseFindMaintenanceWindowsProps } }; - const { - isLoading, - isFetching, - isInitialLoading, - data = [], - refetch, - } = useQuery({ - queryKey: ['findMaintenanceWindows'], + const queryKey = ['findMaintenanceWindows', page, perPage, search, selectedStatus]; + + const { isLoading, isFetching, isInitialLoading, data, refetch } = useQuery({ + queryKey, queryFn, onError: onErrorFn, refetchOnWindowFocus: false, retry: false, cacheTime: 0, enabled, + placeholderData: { maintenanceWindows: [], total: 0 }, + keepPreviousData: true, }); return { - maintenanceWindows: data, + data, isLoading: enabled && (isLoading || isFetching), isInitialLoading, refetch, diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.test.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.test.tsx index 5f9c5b23409c0..50880bf216ce7 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.test.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.test.tsx @@ -95,6 +95,13 @@ describe('MaintenanceWindowsList', () => { isLoading={false} items={items} readOnly={false} + page={1} + perPage={10} + total={22} + onPageChange={() => {}} + onStatusChange={() => {}} + selectedStatus={[]} + onSearchChange={() => {}} /> ); @@ -128,6 +135,13 @@ describe('MaintenanceWindowsList', () => { isLoading={false} items={items} readOnly={true} + page={1} + perPage={10} + total={22} + onPageChange={() => {}} + onStatusChange={() => {}} + selectedStatus={[]} + onSearchChange={() => {}} /> ); @@ -145,6 +159,13 @@ describe('MaintenanceWindowsList', () => { isLoading={false} items={items} readOnly={false} + page={1} + perPage={10} + total={22} + onPageChange={() => {}} + onStatusChange={() => {}} + selectedStatus={[]} + onSearchChange={() => {}} /> ); fireEvent.click(result.getByTestId('refresh-button')); diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.tsx index f91856dc8aec9..e4f69106ffa46 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/maintenance_windows_list.tsx @@ -5,20 +5,20 @@ * 2.0. */ -import React, { useCallback, useMemo } from 'react'; +import React, { useState, useCallback, useMemo } from 'react'; import { formatDate, - EuiInMemoryTable, EuiBasicTableColumn, EuiFlexGroup, EuiFlexItem, EuiBadge, useEuiTheme, EuiButton, - EuiSearchBarProps, + EuiBasicTable, + EuiFieldSearch, + EuiSpacer, } from '@elastic/eui'; import { css } from '@emotion/react'; -import { SortDirection } from '../types'; import * as i18n from '../translations'; import { useEditMaintenanceWindowsNavigation } from '../../../hooks/use_navigation'; import { STATUS_DISPLAY, STATUS_SORT } from '../constants'; @@ -39,6 +39,13 @@ interface MaintenanceWindowsListProps { items: MaintenanceWindow[]; readOnly: boolean; refreshData: () => void; + page: number; + perPage: number; + total: number; + onPageChange: ({ page: { index, size } }: { page: { index: number; size: number } }) => void; + onStatusChange: (status: MaintenanceWindowStatus[]) => void; + selectedStatus: MaintenanceWindowStatus[]; + onSearchChange: (value: string) => void; } const COLUMNS: Array> = [ @@ -86,21 +93,27 @@ const COLUMNS: Array> = [ }, ]; -const sorting = { - sort: { - field: 'status', - direction: SortDirection.asc, - }, -}; - const rowProps = (item: MaintenanceWindow) => ({ className: item.status, 'data-test-subj': 'list-item', }); export const MaintenanceWindowsList = React.memo( - ({ isLoading, items, readOnly, refreshData }) => { + ({ + isLoading, + items, + readOnly, + refreshData, + page, + perPage, + total, + onPageChange, + selectedStatus, + onStatusChange, + onSearchChange, + }) => { const { euiTheme } = useEuiTheme(); + const [search, setSearch] = useState(''); const { navigateToEditMaintenanceWindows } = useEditMaintenanceWindowsNavigation(); const onEdit = useCallback( @@ -173,44 +186,73 @@ export const MaintenanceWindowsList = React.memo( [actions, readOnly] ); - const search: EuiSearchBarProps = useMemo( - () => ({ - filters: [ - { - type: 'custom_component', - component: StatusFilter, - }, - ], - toolsRight: ( - - {i18n.REFRESH} - - ), - }), - [isMutatingOrLoading, refreshData] + const onInputChange = useCallback( + (e: React.ChangeEvent) => { + setSearch(e.target.value); + if (e.target.value === '') { + onSearchChange(e.target.value); + } + }, + [onSearchChange] ); return ( - + <> + + + + + + + + + + + {i18n.REFRESH} + + + + + + + + + + + ); } ); + MaintenanceWindowsList.displayName = 'MaintenanceWindowsList'; diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.test.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.test.tsx index 3875545e36df4..b5fa6c1d6b871 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.test.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.test.tsx @@ -5,17 +5,16 @@ * 2.0. */ -import { Query } from '@elastic/eui'; -import { fireEvent } from '@testing-library/react'; import React from 'react'; - +import { fireEvent, screen } from '@testing-library/react'; +import { waitForEuiPopoverOpen } from '@elastic/eui/lib/test/rtl'; import { AppMockRenderer, createAppMockRenderer } from '../../../lib/test_utils'; import { StatusFilter } from './status_filter'; +import { MaintenanceWindowStatus } from '../../../../common'; describe('StatusFilter', () => { let appMockRenderer: AppMockRenderer; const onChange = jest.fn(); - const query = Query.parse(''); beforeEach(() => { jest.clearAllMocks(); @@ -23,18 +22,39 @@ describe('StatusFilter', () => { }); test('it renders', () => { - const result = appMockRenderer.render(); + const result = appMockRenderer.render(); expect(result.getByTestId('status-filter-button')).toBeInTheDocument(); }); - test('it shows the popover', () => { - const result = appMockRenderer.render(); + test('it shows the popover', async () => { + const result = appMockRenderer.render(); fireEvent.click(result.getByTestId('status-filter-button')); + + await waitForEuiPopoverOpen(); expect(result.getByTestId('status-filter-running')).toBeInTheDocument(); expect(result.getByTestId('status-filter-upcoming')).toBeInTheDocument(); expect(result.getByTestId('status-filter-finished')).toBeInTheDocument(); expect(result.getByTestId('status-filter-archived')).toBeInTheDocument(); }); + + test('should have 2 active filters', async () => { + const result = appMockRenderer.render( + + ); + + fireEvent.click(result.getByTestId('status-filter-button')); + await waitForEuiPopoverOpen(); + + // Find the span containing the notification badge (with the active filter count) + const notificationBadge = screen.getByRole('marquee', { + name: /2 active filters/i, + }); + + expect(notificationBadge).toHaveTextContent('2'); + }); }); diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.tsx index d9f7802050d8d..f8c3ff8880857 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/components/status_filter.tsx @@ -7,74 +7,73 @@ import React, { useState, useCallback } from 'react'; import { EuiFilterButton, EuiPopover, EuiFilterGroup, EuiFilterSelectItem } from '@elastic/eui'; -import { CustomComponentProps } from '@elastic/eui/src/components/search_bar/filters/custom_component_filter'; import { STATUS_OPTIONS } from '../constants'; import * as i18n from '../translations'; +import { MaintenanceWindowStatus } from '../../../../common'; -export const StatusFilter: React.FC = React.memo(({ query, onChange }) => { - const [selectedOptions, setSelectedOptions] = useState([]); - const [isPopoverOpen, setIsPopoverOpen] = useState(false); +export interface RuleStatusFilterProps { + selectedStatus: MaintenanceWindowStatus[]; + onChange: (selectedStatus: MaintenanceWindowStatus[]) => void; +} - const onFilterItemClick = useCallback( - (newOption: string) => () => { - const options = selectedOptions.includes(newOption) - ? selectedOptions.filter((option) => option !== newOption) - : [...selectedOptions, newOption]; - setSelectedOptions(options); +export const StatusFilter: React.FC = React.memo( + ({ selectedStatus, onChange }) => { + const [isPopoverOpen, setIsPopoverOpen] = useState(false); - let q = query.removeSimpleFieldClauses('status').removeOrFieldClauses('status'); - if (options.length > 0) { - q = options.reduce((acc, curr) => { - return acc.addOrFieldValue('status', curr, true, 'eq'); - }, q); - } - onChange?.(q); - }, - [query, onChange, selectedOptions] - ); + const onFilterItemClick = useCallback( + (newOption: MaintenanceWindowStatus) => () => { + const options = selectedStatus.includes(newOption) + ? selectedStatus.filter((option) => option !== newOption) + : [...selectedStatus, newOption]; + onChange(options); + }, + [onChange, selectedStatus] + ); - const openPopover = useCallback(() => { - setIsPopoverOpen((prevIsOpen) => !prevIsOpen); - }, [setIsPopoverOpen]); + const openPopover = useCallback(() => { + setIsPopoverOpen((prevIsOpen) => !prevIsOpen); + }, [setIsPopoverOpen]); - const closePopover = useCallback(() => { - setIsPopoverOpen(false); - }, [setIsPopoverOpen]); + const closePopover = useCallback(() => { + setIsPopoverOpen(false); + }, [setIsPopoverOpen]); + + return ( + + 0} + numActiveFilters={selectedStatus.length} + numFilters={selectedStatus.length} + onClick={openPopover} + > + {i18n.TABLE_STATUS} + + } + > + <> + {STATUS_OPTIONS.map((status) => { + return ( + + {status.name} + + ); + })} + + + + ); + } +); - return ( - - 0} - numActiveFilters={selectedOptions.length} - numFilters={selectedOptions.length} - onClick={openPopover} - > - {i18n.TABLE_STATUS} - - } - > - <> - {STATUS_OPTIONS.map((status) => { - return ( - - {status.name} - - ); - })} - - - - ); -}); StatusFilter.displayName = 'StatusFilter'; diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/index.test.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/index.test.tsx index c0fa96a8e1637..ad3f8cd52b2af 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/index.test.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/index.test.tsx @@ -35,7 +35,7 @@ describe('Maintenance windows page', () => { jest.clearAllMocks(); (useFindMaintenanceWindows as jest.Mock).mockReturnValue({ isLoading: false, - maintenanceWindows: [], + data: { maintenanceWindows: [], total: 0 }, refetch: jest.fn(), }); license = licensingMock.createLicense({ diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/index.tsx b/x-pack/plugins/alerting/public/pages/maintenance_windows/index.tsx index f88cba50d8a39..f1f08f5f37c1f 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/index.tsx +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/index.tsx @@ -5,7 +5,7 @@ * 2.0. */ -import React, { useCallback, useEffect } from 'react'; +import React, { useCallback, useEffect, useState } from 'react'; import { EuiButton, EuiFlexGroup, @@ -23,11 +23,16 @@ import * as i18n from './translations'; import { useCreateMaintenanceWindowNavigation } from '../../hooks/use_navigation'; import { MaintenanceWindowsList } from './components/maintenance_windows_list'; import { useFindMaintenanceWindows } from '../../hooks/use_find_maintenance_windows'; -import { CenterJustifiedSpinner } from './components/center_justified_spinner'; import { ExperimentalBadge } from './components/page_header'; import { useLicense } from '../../hooks/use_license'; import { LicensePrompt } from './components/license_prompt'; -import { MAINTENANCE_WINDOW_FEATURE_ID, MAINTENANCE_WINDOW_DEEP_LINK_IDS } from '../../../common'; +import { + MAINTENANCE_WINDOW_FEATURE_ID, + MAINTENANCE_WINDOW_DEEP_LINK_IDS, + MAINTENANCE_WINDOW_DEFAULT_PER_PAGE, + MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE, + MaintenanceWindowStatus, +} from '../../../common'; export const MaintenanceWindowsPage = React.memo(() => { const { @@ -38,12 +43,24 @@ export const MaintenanceWindowsPage = React.memo(() => { const { isAtLeastPlatinum } = useLicense(); const hasLicense = isAtLeastPlatinum(); + const [page, setPage] = useState(MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE); + const [perPage, setPerPage] = useState(MAINTENANCE_WINDOW_DEFAULT_PER_PAGE); + + const [selectedStatus, setSelectedStatus] = useState([]); + const [search, setSearch] = useState(''); + const { navigateToCreateMaintenanceWindow } = useCreateMaintenanceWindowNavigation(); - const { isLoading, isInitialLoading, maintenanceWindows, refetch } = useFindMaintenanceWindows({ + const { isLoading, isInitialLoading, data, refetch } = useFindMaintenanceWindows({ enabled: hasLicense, + page, + perPage, + search, + selectedStatus, }); + const { maintenanceWindows, total } = data || { maintenanceWindows: [], total: 0 }; + useBreadcrumbs(MAINTENANCE_WINDOW_DEEP_LINK_IDS.maintenanceWindows); const handleClickCreate = useCallback(() => { @@ -53,9 +70,12 @@ export const MaintenanceWindowsPage = React.memo(() => { const refreshData = useCallback(() => refetch(), [refetch]); const showWindowMaintenance = capabilities[MAINTENANCE_WINDOW_FEATURE_ID].show; const writeWindowMaintenance = capabilities[MAINTENANCE_WINDOW_FEATURE_ID].save; + const isNotFiltered = search === '' && selectedStatus.length === 0; + const showEmptyPrompt = !isLoading && maintenanceWindows.length === 0 && + isNotFiltered && showWindowMaintenance && writeWindowMaintenance; @@ -81,9 +101,21 @@ export const MaintenanceWindowsPage = React.memo(() => { }; }, [setBadge, chrome]); - if (isInitialLoading) { - return ; - } + const onPageChange = useCallback( + ({ page: { index, size } }: { page: { index: number; size: number } }) => { + setPage(index + 1); + setPerPage(size); + }, + [] + ); + + const onSelectedStatusChange = useCallback((status: MaintenanceWindowStatus[]) => { + setSelectedStatus(status); + }, []); + + const onSearchChange = useCallback((value: string) => { + setSearch(value); + }, []); return ( <> @@ -127,14 +159,22 @@ export const MaintenanceWindowsPage = React.memo(() => { )} ); }); + MaintenanceWindowsPage.displayName = 'MaintenanceWindowsPage'; // eslint-disable-next-line import/no-default-export export { MaintenanceWindowsPage as default }; diff --git a/x-pack/plugins/alerting/public/pages/maintenance_windows/translations.ts b/x-pack/plugins/alerting/public/pages/maintenance_windows/translations.ts index 16b2ad825a2e1..71f0e82fbb48b 100644 --- a/x-pack/plugins/alerting/public/pages/maintenance_windows/translations.ts +++ b/x-pack/plugins/alerting/public/pages/maintenance_windows/translations.ts @@ -721,3 +721,8 @@ export const START_TRIAL = i18n.translate( export const REFRESH = i18n.translate('xpack.alerting.maintenanceWindows.refreshButton', { defaultMessage: 'Refresh', }); + +export const SEARCH_PLACEHOLDER = i18n.translate( + 'xpack.alerting.maintenanceWindows.searchPlaceholder', + { defaultMessage: 'Search' } +); diff --git a/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.test.ts b/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.test.ts index 14b7336187293..e2509521e79a7 100644 --- a/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.test.ts +++ b/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.test.ts @@ -69,11 +69,26 @@ describe('findMaintenanceWindows', () => { }, ]; - const result = await findMaintenanceWindows({ http }); - expect(result).toEqual(maintenanceWindow); + const result = await findMaintenanceWindows({ + http, + page: 1, + perPage: 10, + search: '', + selectedStatus: [], + }); + + expect(result).toEqual({ maintenanceWindows: maintenanceWindow, total: 1 }); expect(http.get.mock.calls[0]).toMatchInlineSnapshot(` Array [ "/internal/alerting/rules/maintenance_window/_find", + Object { + "query": Object { + "page": 1, + "per_page": 10, + "search": "", + "status": Array [], + }, + }, ] `); }); diff --git a/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.ts b/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.ts index 822fb6e2bae1f..c299f0975feb6 100644 --- a/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.ts +++ b/x-pack/plugins/alerting/public/services/maintenance_windows_api/find.ts @@ -4,20 +4,37 @@ * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ + import type { HttpSetup } from '@kbn/core/public'; -import type { MaintenanceWindow } from '../../../common'; +import type { MaintenanceWindow, MaintenanceWindowStatus } from '../../../common'; import type { FindMaintenanceWindowsResponse } from '../../../common/routes/maintenance_window/apis/find'; - -import { INTERNAL_BASE_ALERTING_API_PATH } from '../../../common'; import { transformMaintenanceWindowResponse } from './transform_maintenance_window_response'; +import { INTERNAL_BASE_ALERTING_API_PATH } from '../../../common'; export async function findMaintenanceWindows({ http, + page, + perPage, + search, + selectedStatus, }: { http: HttpSetup; -}): Promise { + page: number; + perPage: number; + search: string; + selectedStatus: MaintenanceWindowStatus[]; +}): Promise<{ maintenanceWindows: MaintenanceWindow[]; total: number }> { const res = await http.get( - `${INTERNAL_BASE_ALERTING_API_PATH}/rules/maintenance_window/_find` + `${INTERNAL_BASE_ALERTING_API_PATH}/rules/maintenance_window/_find`, + { + query: { + page, + per_page: perPage, + search, + status: selectedStatus, + }, + } ); - return res.data.map((mw) => transformMaintenanceWindowResponse(mw)); + + return { maintenanceWindows: res.data.map(transformMaintenanceWindowResponse), total: res.total }; } diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.test.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.test.ts index 35c15ebb57c61..5e52824d3e249 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.test.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.test.ts @@ -5,7 +5,7 @@ * 2.0. */ -import { findMaintenanceWindows } from './find_maintenance_windows'; +import { findMaintenanceWindows, getStatusFilter } from './find_maintenance_windows'; import { savedObjectsClientMock, loggingSystemMock, @@ -15,6 +15,7 @@ import { SavedObjectsFindResponse } from '@kbn/core/server'; import { MaintenanceWindowClientContext, MAINTENANCE_WINDOW_SAVED_OBJECT_TYPE, + MaintenanceWindowStatus, } from '../../../../../common'; import { getMockMaintenanceWindow } from '../../../../data/maintenance_window/test_helpers'; import { findMaintenanceWindowsParamsSchema } from './schemas'; @@ -95,10 +96,28 @@ describe('MaintenanceWindowClient - find', () => { per_page: 5, } as unknown as SavedObjectsFindResponse); - const result = await findMaintenanceWindows(mockContext, {}); + const result = await findMaintenanceWindows(mockContext, { status: ['running'] }); - expect(spy).toHaveBeenCalledWith({}); + expect(spy).toHaveBeenCalledWith({ status: ['running'] }); expect(savedObjectsClient.find).toHaveBeenLastCalledWith({ + filter: { + arguments: [ + { + isQuoted: false, + type: 'literal', + value: 'maintenance-window.attributes.events', + }, + { + isQuoted: true, + type: 'literal', + value: 'now', + }, + ], + function: 'is', + type: 'function', + }, + sortField: 'updatedAt', + sortOrder: 'desc', type: MAINTENANCE_WINDOW_SAVED_OBJECT_TYPE, }); @@ -109,3 +128,161 @@ describe('MaintenanceWindowClient - find', () => { expect(result.perPage).toEqual(5); }); }); + +describe('getStatusFilter', () => { + it('return proper filter for running status', () => { + expect(getStatusFilter(['running'])).toMatchInlineSnapshot(` + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.events", + }, + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "is", + "type": "function", + } + `); + }); + + it('return proper filter for upcomimg status', () => { + expect(getStatusFilter(['upcoming'])).toMatchInlineSnapshot(` + Object { + "arguments": Array [ + Object { + "arguments": Array [ + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.events", + }, + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "is", + "type": "function", + }, + ], + "function": "not", + "type": "function", + }, + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.events", + }, + "gt", + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "range", + "type": "function", + }, + ], + "function": "and", + "type": "function", + } + `); + }); + + it('return proper filter for fininshed status', () => { + expect(getStatusFilter(['finished'])).toMatchInlineSnapshot(` + Object { + "arguments": Array [ + Object { + "arguments": Array [ + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.events", + }, + "gte", + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "range", + "type": "function", + }, + ], + "function": "not", + "type": "function", + }, + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.expirationDate", + }, + "gt", + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "range", + "type": "function", + }, + ], + "function": "and", + "type": "function", + } + `); + }); + + it('return proper filter for archived status', () => { + expect(getStatusFilter(['archived'])).toMatchInlineSnapshot(` + Object { + "arguments": Array [ + Object { + "isQuoted": false, + "type": "literal", + "value": "maintenance-window.attributes.expirationDate", + }, + "lt", + Object { + "isQuoted": true, + "type": "literal", + "value": "now", + }, + ], + "function": "range", + "type": "function", + } + `); + }); + + it('return empty string if status does not exist', () => { + expect(getStatusFilter(['weird' as MaintenanceWindowStatus])).toBeUndefined(); + }); + + it('return empty string if pass empty arguments', () => { + expect(getStatusFilter()).toBeUndefined(); + }); + + it('return empty string if pass empty array', () => { + expect(getStatusFilter([])).toBeUndefined(); + }); +}); diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.ts index 5cb1e01c1f1a0..86db5b699a029 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/find_maintenance_windows.ts @@ -6,12 +6,39 @@ */ import Boom from '@hapi/boom'; -import { MaintenanceWindowClientContext } from '../../../../../common'; +import { fromKueryExpression, KueryNode } from '@kbn/es-query'; +import { MaintenanceWindowClientContext, MaintenanceWindowStatus } from '../../../../../common'; import { transformMaintenanceWindowAttributesToMaintenanceWindow } from '../../transforms'; import { findMaintenanceWindowSo } from '../../../../data/maintenance_window'; -import type { FindMaintenanceWindowsResult, FindMaintenanceWindowsParams } from './types'; +import type { + FindMaintenanceWindowsResult, + FindMaintenanceWindowsParams, + MaintenanceWindowsStatus, +} from './types'; import { findMaintenanceWindowsParamsSchema } from './schemas'; +export const getStatusFilter = ( + status?: MaintenanceWindowsStatus[] +): KueryNode | string | undefined => { + if (!status || status.length === 0) return undefined; + + const statusToQueryMapping = { + [MaintenanceWindowStatus.Running]: '(maintenance-window.attributes.events: "now")', + [MaintenanceWindowStatus.Upcoming]: + '(not maintenance-window.attributes.events: "now" and maintenance-window.attributes.events > "now")', + [MaintenanceWindowStatus.Finished]: + '(not maintenance-window.attributes.events >= "now" and maintenance-window.attributes.expirationDate >"now")', + [MaintenanceWindowStatus.Archived]: '(maintenance-window.attributes.expirationDate < "now")', + }; + + const fullQuery = status + .map((value) => statusToQueryMapping[value]) + .filter(Boolean) + .join(' or '); + + return fullQuery ? fromKueryExpression(fullQuery) : undefined; +}; + export async function findMaintenanceWindows( context: MaintenanceWindowClientContext, params?: FindMaintenanceWindowsParams @@ -26,11 +53,20 @@ export async function findMaintenanceWindows( throw Boom.badRequest(`Error validating find maintenance windows data - ${error.message}`); } + const filter = getStatusFilter(params?.status); + try { const result = await findMaintenanceWindowSo({ savedObjectsClient, ...(params - ? { savedObjectsFindOptions: { page: params.page, perPage: params.perPage } } + ? { + savedObjectsFindOptions: { + ...(params.page ? { page: params.page } : {}), + ...(params.perPage ? { perPage: params.perPage } : {}), + ...(params.search ? { search: params.search } : {}), + ...(filter ? { filter } : {}), + }, + } : {}), }); diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/find_maintenance_window_params_schema.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/find_maintenance_window_params_schema.ts index e874882450c26..c5c3c0242eebb 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/find_maintenance_window_params_schema.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/find_maintenance_window_params_schema.ts @@ -7,7 +7,16 @@ import { schema } from '@kbn/config-schema'; +export const maintenanceWindowsStatusSchema = schema.oneOf([ + schema.literal('running'), + schema.literal('finished'), + schema.literal('upcoming'), + schema.literal('archived'), +]); + export const findMaintenanceWindowsParamsSchema = schema.object({ perPage: schema.maybe(schema.number()), page: schema.maybe(schema.number()), + search: schema.maybe(schema.string()), + status: schema.maybe(schema.arrayOf(maintenanceWindowsStatusSchema)), }); diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/index.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/index.ts index 4e6c55b08955f..b7ef0b37cb378 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/index.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/schemas/index.ts @@ -6,4 +6,7 @@ */ export { findMaintenanceWindowsResultSchema } from './find_maintenance_windows_result_schema'; -export { findMaintenanceWindowsParamsSchema } from './find_maintenance_window_params_schema'; +export { + findMaintenanceWindowsParamsSchema, + maintenanceWindowsStatusSchema, +} from './find_maintenance_window_params_schema'; diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/find_maintenance_window_params.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/find_maintenance_window_params.ts index 878d5168c7e55..5e3aced564cca 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/find_maintenance_window_params.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/find_maintenance_window_params.ts @@ -6,6 +6,7 @@ */ import { TypeOf } from '@kbn/config-schema'; -import { findMaintenanceWindowsParamsSchema } from '../schemas'; +import { findMaintenanceWindowsParamsSchema, maintenanceWindowsStatusSchema } from '../schemas'; +export type MaintenanceWindowsStatus = TypeOf; export type FindMaintenanceWindowsParams = TypeOf; diff --git a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/index.ts b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/index.ts index 97472fc231ab6..1c4e5cdcfb4d1 100644 --- a/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/index.ts +++ b/x-pack/plugins/alerting/server/application/maintenance_window/methods/find/types/index.ts @@ -6,4 +6,7 @@ */ export type { FindMaintenanceWindowsResult } from './find_maintenance_window_result'; -export type { FindMaintenanceWindowsParams } from './find_maintenance_window_params'; +export type { + FindMaintenanceWindowsParams, + MaintenanceWindowsStatus, +} from './find_maintenance_window_params'; diff --git a/x-pack/plugins/alerting/server/data/maintenance_window/methods/find_maintenance_window_so.ts b/x-pack/plugins/alerting/server/data/maintenance_window/methods/find_maintenance_window_so.ts index d08a3c360cbb0..82c8e3d65a98a 100644 --- a/x-pack/plugins/alerting/server/data/maintenance_window/methods/find_maintenance_window_so.ts +++ b/x-pack/plugins/alerting/server/data/maintenance_window/methods/find_maintenance_window_so.ts @@ -24,7 +24,9 @@ export const findMaintenanceWindowSo = ({ - ...(savedObjectsFindOptions ? savedObjectsFindOptions : {}), + ...(savedObjectsFindOptions + ? { ...savedObjectsFindOptions, sortField: 'updatedAt', sortOrder: 'desc' } + : {}), type: MAINTENANCE_WINDOW_SAVED_OBJECT_TYPE, }); }; diff --git a/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/find_maintenance_windows_route.test.ts b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/find_maintenance_windows_route.test.ts index bbabb42b28644..41fd22b6dfd41 100644 --- a/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/find_maintenance_windows_route.test.ts +++ b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/find_maintenance_windows_route.test.ts @@ -102,6 +102,8 @@ describe('findMaintenanceWindowsRoute', () => { query: { page: 1, per_page: 3, + search: 'mw name', + status: ['running'], }, } ); @@ -125,7 +127,12 @@ describe('findMaintenanceWindowsRoute', () => { await handler(context, req, res); - expect(maintenanceWindowClient.find).toHaveBeenCalledWith({ page: 1, perPage: 3 }); + expect(maintenanceWindowClient.find).toHaveBeenCalledWith({ + page: 1, + perPage: 3, + search: 'mw name', + status: ['running'], + }); expect(res.ok).toHaveBeenLastCalledWith({ body: { data: mockMaintenanceWindows.data.map((data) => rewriteMaintenanceWindowRes(data)), diff --git a/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.test.ts b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.test.ts new file mode 100644 index 0000000000000..566166f3baa0e --- /dev/null +++ b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.test.ts @@ -0,0 +1,61 @@ +/* + * 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; you may not use this file except in compliance with the Elastic License + * 2.0. + */ + +import { transformFindMaintenanceWindowParams } from './v1'; + +describe('transformFindMaintenanceWindowParams', () => { + beforeEach(() => { + jest.resetAllMocks(); + }); + + it('passing string in status should return array', () => { + const result = transformFindMaintenanceWindowParams({ + page: 1, + per_page: 10, + search: 'fake mw name', + status: 'running', + }); + + expect(result).toEqual({ page: 1, perPage: 10, search: 'fake mw name', status: ['running'] }); + }); + + it('passing undefined in status should return object without status', () => { + const result = transformFindMaintenanceWindowParams({ + page: 1, + per_page: 10, + search: 'fake mw name', + }); + + expect(result).toEqual({ page: 1, perPage: 10, search: 'fake mw name' }); + }); + + it('passing undefined in search should return object without search', () => { + const result = transformFindMaintenanceWindowParams({ + page: 1, + per_page: 10, + status: ['upcoming'], + }); + + expect(result).toEqual({ page: 1, perPage: 10, status: ['upcoming'] }); + }); + + it('passing array in status should return array', () => { + const result = transformFindMaintenanceWindowParams({ + page: 1, + per_page: 10, + search: 'fake mw name', + status: ['upcoming', 'finished'], + }); + + expect(result).toEqual({ + page: 1, + perPage: 10, + search: 'fake mw name', + status: ['upcoming', 'finished'], + }); + }); +}); diff --git a/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.ts b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.ts index c59f5d189716e..4445c1a0ff60e 100644 --- a/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.ts +++ b/x-pack/plugins/alerting/server/routes/maintenance_window/apis/find/transforms/transform_find_maintenance_window_params/v1.ts @@ -10,7 +10,13 @@ import { FindMaintenanceWindowsParams } from '../../../../../../application/main export const transformFindMaintenanceWindowParams = ( params: FindMaintenanceWindowsRequestQuery -): FindMaintenanceWindowsParams => ({ - ...(params.page ? { page: params.page } : {}), - ...(params.per_page ? { perPage: params.per_page } : {}), -}); +): FindMaintenanceWindowsParams => { + const status = params.status && !Array.isArray(params.status) ? [params.status] : params.status; + + return { + ...(params.page ? { page: params.page } : {}), + ...(params.per_page ? { perPage: params.per_page } : {}), + ...(params.search ? { search: params.search } : {}), + ...(params.status ? { status } : {}), + }; +}; diff --git a/x-pack/plugins/alerting/server/saved_objects/maintenance_window_mapping.ts b/x-pack/plugins/alerting/server/saved_objects/maintenance_window_mapping.ts index 48bf1ab83dcc8..85759143c39d2 100644 --- a/x-pack/plugins/alerting/server/saved_objects/maintenance_window_mapping.ts +++ b/x-pack/plugins/alerting/server/saved_objects/maintenance_window_mapping.ts @@ -17,21 +17,24 @@ export const maintenanceWindowMappings: SavedObjectsTypeMappingDefinition = { type: 'date_range', format: 'epoch_millis||strict_date_optional_time', }, + title: { + type: 'text', + fields: { + keyword: { + type: 'keyword', + }, + }, + }, + expirationDate: { + type: 'date', + }, + updatedAt: { + type: 'date', + }, // NO NEED TO BE INDEXED - // title: { - // type: 'text', - // fields: { - // keyword: { - // type: 'keyword', - // }, - // }, - // }, // duration: { // type: 'long', // }, - // expirationDate: { - // type: 'date', - // }, // rRule: rRuleMappingsField, // createdBy: { // index: false, @@ -45,9 +48,5 @@ export const maintenanceWindowMappings: SavedObjectsTypeMappingDefinition = { // index: false, // type: 'date', // }, - // updatedAt: { - // index: false, - // type: 'date', - // }, }, }; diff --git a/x-pack/plugins/alerting/server/saved_objects/model_versions/maintenance_window_model_versions.ts b/x-pack/plugins/alerting/server/saved_objects/model_versions/maintenance_window_model_versions.ts index dbfda11dc85fc..f7ea00e62880e 100644 --- a/x-pack/plugins/alerting/server/saved_objects/model_versions/maintenance_window_model_versions.ts +++ b/x-pack/plugins/alerting/server/saved_objects/model_versions/maintenance_window_model_versions.ts @@ -16,4 +16,30 @@ export const maintenanceWindowModelVersions: SavedObjectsModelVersionMap = { create: rawMaintenanceWindowSchemaV1, }, }, + '2': { + changes: [ + { + type: 'mappings_addition', + addedMappings: { + title: { + type: 'text', + fields: { + keyword: { + type: 'keyword', + }, + }, + }, + expirationDate: { + type: 'date', + }, + updatedAt: { + type: 'date', + }, + }, + }, + ], + schemas: { + forwardCompatibility: rawMaintenanceWindowSchemaV1.extends({}, { unknowns: 'ignore' }), + }, + }, }; diff --git a/x-pack/test/alerting_api_integration/security_and_spaces/group3/tests/maintenance_window/find_maintenance_windows.ts b/x-pack/test/alerting_api_integration/security_and_spaces/group3/tests/maintenance_window/find_maintenance_windows.ts index a91a323ac1250..7c0067b159c8e 100644 --- a/x-pack/test/alerting_api_integration/security_and_spaces/group3/tests/maintenance_window/find_maintenance_windows.ts +++ b/x-pack/test/alerting_api_integration/security_and_spaces/group3/tests/maintenance_window/find_maintenance_windows.ts @@ -26,6 +26,7 @@ export default function findMaintenanceWindowTests({ getService }: FtrProviderCo freq: 2, // weekly }, }; + afterEach(() => objectRemover.removeAll()); for (const scenario of UserAtSpaceScenarios) { @@ -146,8 +147,8 @@ export default function findMaintenanceWindowTests({ getService }: FtrProviderCo case 'space_1_all at space1': expect(response.body.total).to.eql(2); expect(response.statusCode).to.eql(200); - expect(response.body.data[0].id).to.eql(createdMaintenanceWindow1.id); - expect(response.body.data[0].title).to.eql('test-maintenance-window'); + expect(response.body.data[0].id).to.eql(createdMaintenanceWindow2.id); + expect(response.body.data[0].title).to.eql('test-maintenance-window2'); break; default: throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); @@ -205,6 +206,340 @@ export default function findMaintenanceWindowTests({ getService }: FtrProviderCo throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); } }); + + it('should filter maintenance windows based on search text', async () => { + const { body: createdMaintenanceWindow1 } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send(createParams); + + const { body: createdMaintenanceWindow2 } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ ...createParams, title: 'search-name' }); + + objectRemover.add( + space.id, + createdMaintenanceWindow1.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + createdMaintenanceWindow2.id, + 'rules/maintenance_window', + 'alerting', + true + ); + + const response = await supertestWithoutAuth + .get( + `${getUrlPrefix( + space.id + )}/internal/alerting/rules/maintenance_window/_find?page=1&per_page=1&search=search-name` + ) + .set('kbn-xsrf', 'foo') + .auth(user.username, user.password) + .send({}); + + switch (scenario.id) { + case 'no_kibana_privileges at space1': + case 'space_1_all at space2': + case 'space_1_all_with_restricted_fixture at space1': + case 'space_1_all_alerts_none_actions at space1': + expect(response.statusCode).to.eql(403); + expect(response.body).to.eql({ + error: 'Forbidden', + message: + 'API [GET /internal/alerting/rules/maintenance_window/_find?page=1&per_page=1&search=search-name] is unauthorized for user, this action is granted by the Kibana privileges [read-maintenance-window]', + statusCode: 403, + }); + break; + case 'global_read at space1': + case 'superuser at space1': + case 'space_1_all at space1': + expect(response.body.total).to.eql(1); + expect(response.statusCode).to.eql(200); + expect(response.body.data[0].id).to.eql(createdMaintenanceWindow2.id); + expect(response.body.data[0].title).to.eql('search-name'); + break; + default: + throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); + } + }); + + it('should filter maintenance windows based on running status', async () => { + const { body: runningMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ ...createParams, title: 'test-running-maintenance-window' }); + + const { body: upcomingMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-upcoming-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date(new Date().getTime() - 60 * 60 * 1000).toISOString(), + tzid: 'UTC', + freq: 2, // weekly + }, + }); + const { body: finishedMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-finished-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date('05-01-2023').toISOString(), + tzid: 'UTC', + freq: 1, + count: 1, + }, + }); + + objectRemover.add( + space.id, + runningMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + upcomingMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + finishedMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + + const response = await supertestWithoutAuth + .get( + `${getUrlPrefix( + space.id + )}/internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=running` + ) + .set('kbn-xsrf', 'foo') + .auth(user.username, user.password) + .send({}); + + switch (scenario.id) { + case 'no_kibana_privileges at space1': + case 'space_1_all at space2': + case 'space_1_all_with_restricted_fixture at space1': + case 'space_1_all_alerts_none_actions at space1': + expect(response.statusCode).to.eql(403); + expect(response.body).to.eql({ + error: 'Forbidden', + message: + 'API [GET /internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=running] is unauthorized for user, this action is granted by the Kibana privileges [read-maintenance-window]', + statusCode: 403, + }); + break; + case 'global_read at space1': + case 'superuser at space1': + case 'space_1_all at space1': + expect(response.body.total).to.eql(1); + expect(response.statusCode).to.eql(200); + expect(response.body.data[0].title).to.eql('test-running-maintenance-window'); + expect(response.body.data[0].status).to.eql('running'); + break; + default: + throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); + } + }); + + it('should filter maintenance windows based on upcomimg status', async () => { + const { body: runningMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ ...createParams, title: 'test-running-maintenance-window' }); + + const { body: upcomingMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-upcoming-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date(new Date().getTime() - 60 * 60 * 1000).toISOString(), + tzid: 'UTC', + freq: 2, // weekly + }, + }); + const { body: finishedMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-finished-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date('05-01-2023').toISOString(), + tzid: 'UTC', + freq: 1, + count: 1, + }, + }); + + objectRemover.add( + space.id, + runningMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + upcomingMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + finishedMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + + const response = await supertestWithoutAuth + .get( + `${getUrlPrefix( + space.id + )}/internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=upcoming` + ) + .set('kbn-xsrf', 'foo') + .auth(user.username, user.password) + .send({}); + + switch (scenario.id) { + case 'no_kibana_privileges at space1': + case 'space_1_all at space2': + case 'space_1_all_with_restricted_fixture at space1': + case 'space_1_all_alerts_none_actions at space1': + expect(response.statusCode).to.eql(403); + expect(response.body).to.eql({ + error: 'Forbidden', + message: + 'API [GET /internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=upcoming] is unauthorized for user, this action is granted by the Kibana privileges [read-maintenance-window]', + statusCode: 403, + }); + break; + case 'global_read at space1': + case 'superuser at space1': + case 'space_1_all at space1': + expect(response.body.total).to.eql(1); + expect(response.statusCode).to.eql(200); + expect(response.body.data[0].title).to.eql('test-upcoming-maintenance-window'); + expect(response.body.data[0].status).to.eql('upcoming'); + break; + default: + throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); + } + }); + + it('should filter maintenance windows based on finished and running status', async () => { + const { body: runningMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ ...createParams, title: 'test-running-maintenance-window' }); + + const { body: upcomingMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-upcoming-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date(new Date().getTime() - 60 * 60 * 1000).toISOString(), + tzid: 'UTC', + freq: 2, // weekly + }, + }); + const { body: finishedMaintenanceWindow } = await supertest + .post(`${getUrlPrefix(space.id)}/internal/alerting/rules/maintenance_window`) + .set('kbn-xsrf', 'foo') + .send({ + title: 'test-finished-maintenance-window', + duration: 60 * 60 * 1000, // 1 hr + r_rule: { + dtstart: new Date('05-01-2023').toISOString(), + tzid: 'UTC', + freq: 1, + count: 1, + }, + }); + + objectRemover.add( + space.id, + runningMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + upcomingMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + objectRemover.add( + space.id, + finishedMaintenanceWindow.id, + 'rules/maintenance_window', + 'alerting', + true + ); + + const response = await supertestWithoutAuth + .get( + `${getUrlPrefix( + space.id + )}/internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=running&status=finished` + ) + .set('kbn-xsrf', 'foo') + .auth(user.username, user.password) + .send({}); + + switch (scenario.id) { + case 'no_kibana_privileges at space1': + case 'space_1_all at space2': + case 'space_1_all_with_restricted_fixture at space1': + case 'space_1_all_alerts_none_actions at space1': + expect(response.statusCode).to.eql(403); + expect(response.body).to.eql({ + error: 'Forbidden', + message: + 'API [GET /internal/alerting/rules/maintenance_window/_find?page=1&per_page=10&status=running&status=finished] is unauthorized for user, this action is granted by the Kibana privileges [read-maintenance-window]', + statusCode: 403, + }); + break; + case 'global_read at space1': + case 'superuser at space1': + case 'space_1_all at space1': + expect(response.body.total).to.eql(2); + expect(response.statusCode).to.eql(200); + expect(response.body.data[0].title).to.eql('test-finished-maintenance-window'); + expect(response.body.data[0].status).to.eql('finished'); + expect(response.body.data[1].title).to.eql('test-running-maintenance-window'); + expect(response.body.data[1].status).to.eql('running'); + break; + default: + throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`); + } + }); }); } }); diff --git a/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/maintenance_windows/maintenance_windows_table.ts b/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/maintenance_windows/maintenance_windows_table.ts index 5618a1a77cff6..4ebab9b03d307 100644 --- a/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/maintenance_windows/maintenance_windows_table.ts +++ b/x-pack/test/functional_with_es_ssl/apps/triggers_actions_ui/maintenance_windows/maintenance_windows_table.ts @@ -29,7 +29,7 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { await objectRemover.removeAll(); }); - it('should should cancel a running maintenance window', async () => { + it('should cancel a running maintenance window', async () => { const name = generateUniqueKey(); const createdMaintenanceWindow = await createMaintenanceWindow({ name, @@ -60,7 +60,7 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { expect(list[0].status).to.not.eql('Running'); }); - it('should should archive finished maintenance window', async () => { + it('should archive finished maintenance window', async () => { const name = generateUniqueKey(); const createdMaintenanceWindow = await createMaintenanceWindow({ name, @@ -93,7 +93,7 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { expect(list[0].status).to.eql('Archived'); }); - it('should should cancel and archive a running maintenance window', async () => { + it('should cancel and archive a running maintenance window', async () => { const name = generateUniqueKey(); const createdMaintenanceWindow = await createMaintenanceWindow({ name, @@ -124,7 +124,7 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { expect(list[0].status).to.eql('Archived'); }); - it('should should unarchive a maintenance window', async () => { + it('should unarchive a maintenance window', async () => { const name = generateUniqueKey(); const createdMaintenanceWindow = await createMaintenanceWindow({ name, @@ -209,5 +209,85 @@ export default ({ getPageObjects, getService }: FtrProviderContext) => { expect(upcomingList[0].status).to.equal('Upcoming'); }); }); + + it('should filter maintenance windows by the archived status', async () => { + const finished = await createMaintenanceWindow({ + name: 'finished-maintenance-window', + startDate: new Date('05-01-2023'), + notRecurring: true, + getService, + }); + objectRemover.add(finished.id, 'rules/maintenance_window', 'alerting', true); + + const date = new Date(); + date.setDate(date.getDate() + 1); + const upcoming = await createMaintenanceWindow({ + name: 'upcoming-maintenance-window', + startDate: date, + getService, + }); + objectRemover.add(upcoming.id, 'rules/maintenance_window', 'alerting', true); + + const archived = await createMaintenanceWindow({ + name: 'archived-maintenance-window', + getService, + }); + objectRemover.add(archived.id, 'rules/maintenance_window', 'alerting', true); + await browser.refresh(); + + await pageObjects.maintenanceWindows.searchMaintenanceWindows('window'); + + const list = await pageObjects.maintenanceWindows.getMaintenanceWindowsList(); + expect(list.length).to.eql(3); + expect(list[0].status).to.eql('Running'); + + await testSubjects.click('table-actions-popover'); + await testSubjects.click('table-actions-cancel-and-archive'); + await testSubjects.click('confirmModalConfirmButton'); + + await retry.try(async () => { + const toastTitle = await toasts.getTitleAndDismiss(); + expect(toastTitle).to.eql( + `Cancelled and archived running maintenance window 'archived-maintenance-window'` + ); + }); + + await testSubjects.click('status-filter-button'); + await testSubjects.click('status-filter-archived'); // select Archived status filter + + await retry.try(async () => { + const archivedList = await pageObjects.maintenanceWindows.getMaintenanceWindowsList(); + expect(archivedList.length).to.equal(1); + expect(archivedList[0].status).to.equal('Archived'); + }); + }); + + it('paginates maintenance windows correctly', async () => { + new Array(12).fill(null).map(async (_, index) => { + const mw = await createMaintenanceWindow({ + name: index + '-pagination', + getService, + }); + objectRemover.add(mw.id, 'rules/maintenance_window', 'alerting', true); + }); + await browser.refresh(); + + await pageObjects.maintenanceWindows.searchMaintenanceWindows('pagination'); + await pageObjects.maintenanceWindows.getMaintenanceWindowsList(); + + await testSubjects.click('tablePaginationPopoverButton'); + await testSubjects.click('tablePagination-25-rows'); + await testSubjects.missingOrFail('pagination-button-1'); + await testSubjects.click('tablePaginationPopoverButton'); + await testSubjects.click('tablePagination-10-rows'); + const listedOnFirstPageMWs = await testSubjects.findAll('list-item'); + expect(listedOnFirstPageMWs.length).to.be(10); + + await testSubjects.isEnabled('pagination-button-1'); + await testSubjects.click('pagination-button-1'); + await testSubjects.isEnabled('pagination-button-0'); + const listedOnSecondPageMWs = await testSubjects.findAll('list-item'); + expect(listedOnSecondPageMWs.length).to.be(2); + }); }); }; From 4fa7b783cc2ca0f76995a7c0d9ace6b953619f1d Mon Sep 17 00:00:00 2001 From: Kibana Machine <42973632+kibanamachine@users.noreply.github.com> Date: Mon, 23 Dec 2024 18:15:10 +1100 Subject: [PATCH 31/31] [api-docs] 2024-12-23 Daily api_docs build (#205072) Generated by https://buildkite.com/elastic/kibana-api-docs-daily/builds/930 --- api_docs/actions.mdx | 2 +- api_docs/advanced_settings.mdx | 2 +- .../ai_assistant_management_selection.mdx | 2 +- api_docs/aiops.mdx | 2 +- api_docs/alerting.devdocs.json | 30 +++++++++++++++++++ api_docs/alerting.mdx | 4 +-- api_docs/apm.mdx | 2 +- api_docs/apm_data_access.mdx | 2 +- api_docs/asset_inventory.mdx | 2 +- api_docs/banners.mdx | 2 +- api_docs/canvas.mdx | 2 +- api_docs/cases.mdx | 2 +- api_docs/charts.mdx | 2 +- api_docs/cloud.mdx | 2 +- api_docs/cloud_data_migration.mdx | 2 +- api_docs/cloud_defend.mdx | 2 +- api_docs/cloud_security_posture.mdx | 2 +- api_docs/console.mdx | 2 +- api_docs/content_management.mdx | 2 +- api_docs/controls.mdx | 2 +- api_docs/custom_integrations.mdx | 2 +- api_docs/dashboard.mdx | 2 +- api_docs/dashboard_enhanced.mdx | 2 +- api_docs/data.mdx | 2 +- api_docs/data_quality.mdx | 2 +- api_docs/data_query.mdx | 2 +- api_docs/data_search.mdx | 2 +- api_docs/data_usage.mdx | 2 +- api_docs/data_view_editor.mdx | 2 +- api_docs/data_view_field_editor.mdx | 2 +- api_docs/data_view_management.mdx | 2 +- api_docs/data_views.mdx | 2 +- api_docs/data_visualizer.mdx | 2 +- api_docs/dataset_quality.mdx | 2 +- api_docs/deprecations_by_api.mdx | 2 +- api_docs/deprecations_by_plugin.mdx | 2 +- api_docs/deprecations_by_team.mdx | 2 +- api_docs/dev_tools.mdx | 2 +- api_docs/discover.mdx | 2 +- api_docs/discover_enhanced.mdx | 2 +- api_docs/discover_shared.mdx | 2 +- api_docs/ecs_data_quality_dashboard.mdx | 2 +- api_docs/elastic_assistant.mdx | 2 +- api_docs/embeddable.mdx | 2 +- api_docs/embeddable_enhanced.mdx | 2 +- api_docs/encrypted_saved_objects.mdx | 2 +- api_docs/enterprise_search.mdx | 2 +- api_docs/entities_data_access.mdx | 2 +- api_docs/entity_manager.mdx | 2 +- api_docs/es_ui_shared.mdx | 2 +- api_docs/esql.mdx | 2 +- api_docs/esql_data_grid.mdx | 2 +- api_docs/event_annotation.mdx | 2 +- api_docs/event_annotation_listing.mdx | 2 +- api_docs/event_log.mdx | 2 +- api_docs/exploratory_view.mdx | 2 +- api_docs/expression_error.mdx | 2 +- api_docs/expression_gauge.mdx | 2 +- api_docs/expression_heatmap.mdx | 2 +- api_docs/expression_image.mdx | 2 +- api_docs/expression_legacy_metric_vis.mdx | 2 +- api_docs/expression_metric.mdx | 2 +- api_docs/expression_metric_vis.mdx | 2 +- api_docs/expression_partition_vis.mdx | 2 +- api_docs/expression_repeat_image.mdx | 2 +- api_docs/expression_reveal_image.mdx | 2 +- api_docs/expression_shape.mdx | 2 +- api_docs/expression_tagcloud.mdx | 2 +- api_docs/expression_x_y.mdx | 2 +- api_docs/expressions.mdx | 2 +- api_docs/features.mdx | 2 +- api_docs/field_formats.mdx | 2 +- api_docs/fields_metadata.mdx | 2 +- api_docs/file_upload.mdx | 2 +- api_docs/files.mdx | 2 +- api_docs/files_management.mdx | 2 +- api_docs/fleet.mdx | 2 +- api_docs/global_search.mdx | 2 +- api_docs/guided_onboarding.mdx | 2 +- api_docs/home.mdx | 2 +- api_docs/image_embeddable.mdx | 2 +- api_docs/index_lifecycle_management.mdx | 2 +- api_docs/index_management.mdx | 2 +- api_docs/inference.mdx | 2 +- api_docs/infra.mdx | 2 +- api_docs/ingest_pipelines.mdx | 2 +- api_docs/inspector.mdx | 2 +- api_docs/integration_assistant.mdx | 2 +- api_docs/interactive_setup.mdx | 2 +- api_docs/inventory.mdx | 2 +- api_docs/investigate.mdx | 2 +- api_docs/investigate_app.mdx | 2 +- api_docs/kbn_actions_types.mdx | 2 +- api_docs/kbn_ai_assistant.mdx | 2 +- api_docs/kbn_ai_assistant_common.mdx | 2 +- api_docs/kbn_ai_assistant_icon.mdx | 2 +- api_docs/kbn_aiops_components.mdx | 2 +- api_docs/kbn_aiops_log_pattern_analysis.mdx | 2 +- api_docs/kbn_aiops_log_rate_analysis.mdx | 2 +- .../kbn_alerting_api_integration_helpers.mdx | 2 +- api_docs/kbn_alerting_comparators.mdx | 2 +- api_docs/kbn_alerting_state_types.mdx | 2 +- api_docs/kbn_alerting_types.mdx | 2 +- api_docs/kbn_alerts_as_data_utils.mdx | 2 +- api_docs/kbn_alerts_grouping.mdx | 2 +- api_docs/kbn_alerts_ui_shared.mdx | 2 +- api_docs/kbn_analytics.mdx | 2 +- api_docs/kbn_analytics_collection_utils.mdx | 2 +- api_docs/kbn_apm_config_loader.mdx | 2 +- api_docs/kbn_apm_data_view.mdx | 2 +- api_docs/kbn_apm_synthtrace.mdx | 2 +- api_docs/kbn_apm_synthtrace_client.mdx | 2 +- api_docs/kbn_apm_types.mdx | 2 +- api_docs/kbn_apm_utils.mdx | 2 +- api_docs/kbn_avc_banner.mdx | 2 +- api_docs/kbn_axe_config.mdx | 2 +- api_docs/kbn_calculate_auto.mdx | 2 +- .../kbn_calculate_width_from_char_count.mdx | 2 +- api_docs/kbn_cases_components.mdx | 2 +- api_docs/kbn_cbor.mdx | 2 +- api_docs/kbn_cell_actions.mdx | 2 +- api_docs/kbn_chart_expressions_common.mdx | 2 +- api_docs/kbn_chart_icons.mdx | 2 +- api_docs/kbn_charts_theme.mdx | 2 +- api_docs/kbn_ci_stats_core.mdx | 2 +- api_docs/kbn_ci_stats_performance_metrics.mdx | 2 +- api_docs/kbn_ci_stats_reporter.mdx | 2 +- api_docs/kbn_cli_dev_mode.mdx | 2 +- api_docs/kbn_cloud_security_posture.mdx | 2 +- .../kbn_cloud_security_posture_common.mdx | 2 +- api_docs/kbn_cloud_security_posture_graph.mdx | 2 +- api_docs/kbn_code_editor.mdx | 2 +- api_docs/kbn_code_editor_mock.mdx | 2 +- api_docs/kbn_code_owners.mdx | 2 +- api_docs/kbn_coloring.mdx | 2 +- api_docs/kbn_config.mdx | 2 +- api_docs/kbn_config_mocks.mdx | 2 +- api_docs/kbn_config_schema.mdx | 2 +- .../kbn_content_management_content_editor.mdx | 2 +- ...ent_management_content_insights_public.mdx | 2 +- ...ent_management_content_insights_server.mdx | 2 +- ...bn_content_management_favorites_common.mdx | 2 +- ...bn_content_management_favorites_public.mdx | 2 +- ...bn_content_management_favorites_server.mdx | 2 +- ...tent_management_tabbed_table_list_view.mdx | 2 +- ...kbn_content_management_table_list_view.mdx | 2 +- ...tent_management_table_list_view_common.mdx | 2 +- ...ntent_management_table_list_view_table.mdx | 2 +- .../kbn_content_management_user_profiles.mdx | 2 +- api_docs/kbn_content_management_utils.mdx | 2 +- api_docs/kbn_core_analytics_browser.mdx | 2 +- .../kbn_core_analytics_browser_internal.mdx | 2 +- api_docs/kbn_core_analytics_browser_mocks.mdx | 2 +- api_docs/kbn_core_analytics_server.mdx | 2 +- .../kbn_core_analytics_server_internal.mdx | 2 +- api_docs/kbn_core_analytics_server_mocks.mdx | 2 +- api_docs/kbn_core_application_browser.mdx | 2 +- .../kbn_core_application_browser_internal.mdx | 2 +- .../kbn_core_application_browser_mocks.mdx | 2 +- api_docs/kbn_core_application_common.mdx | 2 +- api_docs/kbn_core_apps_browser_internal.mdx | 2 +- api_docs/kbn_core_apps_browser_mocks.mdx | 2 +- api_docs/kbn_core_apps_server_internal.mdx | 2 +- api_docs/kbn_core_base_browser_mocks.mdx | 2 +- api_docs/kbn_core_base_common.mdx | 2 +- api_docs/kbn_core_base_server_internal.mdx | 2 +- api_docs/kbn_core_base_server_mocks.mdx | 2 +- .../kbn_core_capabilities_browser_mocks.mdx | 2 +- api_docs/kbn_core_capabilities_common.mdx | 2 +- api_docs/kbn_core_capabilities_server.mdx | 2 +- .../kbn_core_capabilities_server_mocks.mdx | 2 +- api_docs/kbn_core_chrome_browser.mdx | 2 +- api_docs/kbn_core_chrome_browser_mocks.mdx | 2 +- api_docs/kbn_core_config_server_internal.mdx | 2 +- api_docs/kbn_core_custom_branding_browser.mdx | 2 +- ..._core_custom_branding_browser_internal.mdx | 2 +- ...kbn_core_custom_branding_browser_mocks.mdx | 2 +- api_docs/kbn_core_custom_branding_common.mdx | 2 +- api_docs/kbn_core_custom_branding_server.mdx | 2 +- ...n_core_custom_branding_server_internal.mdx | 2 +- .../kbn_core_custom_branding_server_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_browser.mdx | 2 +- ...kbn_core_deprecations_browser_internal.mdx | 2 +- .../kbn_core_deprecations_browser_mocks.mdx | 2 +- api_docs/kbn_core_deprecations_common.mdx | 2 +- api_docs/kbn_core_deprecations_server.mdx | 2 +- .../kbn_core_deprecations_server_internal.mdx | 2 +- .../kbn_core_deprecations_server_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_browser.mdx | 2 +- api_docs/kbn_core_doc_links_browser_mocks.mdx | 2 +- api_docs/kbn_core_doc_links_server.mdx | 2 +- api_docs/kbn_core_doc_links_server_mocks.mdx | 2 +- ...e_elasticsearch_client_server_internal.mdx | 2 +- ...core_elasticsearch_client_server_mocks.mdx | 2 +- api_docs/kbn_core_elasticsearch_server.mdx | 2 +- ...kbn_core_elasticsearch_server_internal.mdx | 2 +- .../kbn_core_elasticsearch_server_mocks.mdx | 2 +- .../kbn_core_environment_server_internal.mdx | 2 +- .../kbn_core_environment_server_mocks.mdx | 2 +- .../kbn_core_execution_context_browser.mdx | 2 +- ...ore_execution_context_browser_internal.mdx | 2 +- ...n_core_execution_context_browser_mocks.mdx | 2 +- .../kbn_core_execution_context_common.mdx | 2 +- .../kbn_core_execution_context_server.mdx | 2 +- ...core_execution_context_server_internal.mdx | 2 +- ...bn_core_execution_context_server_mocks.mdx | 2 +- api_docs/kbn_core_fatal_errors_browser.mdx | 2 +- .../kbn_core_fatal_errors_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_browser.mdx | 2 +- ...bn_core_feature_flags_browser_internal.mdx | 2 +- .../kbn_core_feature_flags_browser_mocks.mdx | 2 +- api_docs/kbn_core_feature_flags_server.mdx | 2 +- ...kbn_core_feature_flags_server_internal.mdx | 2 +- .../kbn_core_feature_flags_server_mocks.mdx | 2 +- api_docs/kbn_core_http_browser.mdx | 2 +- api_docs/kbn_core_http_browser_internal.mdx | 2 +- api_docs/kbn_core_http_browser_mocks.mdx | 2 +- api_docs/kbn_core_http_common.mdx | 2 +- .../kbn_core_http_context_server_mocks.mdx | 2 +- ...re_http_request_handler_context_server.mdx | 2 +- api_docs/kbn_core_http_resources_server.mdx | 2 +- ...bn_core_http_resources_server_internal.mdx | 2 +- .../kbn_core_http_resources_server_mocks.mdx | 2 +- .../kbn_core_http_router_server_internal.mdx | 2 +- .../kbn_core_http_router_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server.mdx | 2 +- api_docs/kbn_core_http_server_internal.mdx | 2 +- api_docs/kbn_core_http_server_mocks.mdx | 2 +- api_docs/kbn_core_http_server_utils.mdx | 2 +- api_docs/kbn_core_i18n_browser.mdx | 2 +- api_docs/kbn_core_i18n_browser_mocks.mdx | 2 +- api_docs/kbn_core_i18n_server.mdx | 2 +- api_docs/kbn_core_i18n_server_internal.mdx | 2 +- api_docs/kbn_core_i18n_server_mocks.mdx | 2 +- ...n_core_injected_metadata_browser_mocks.mdx | 2 +- ...kbn_core_integrations_browser_internal.mdx | 2 +- .../kbn_core_integrations_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_browser.mdx | 2 +- api_docs/kbn_core_lifecycle_browser_mocks.mdx | 2 +- api_docs/kbn_core_lifecycle_server.mdx | 2 +- api_docs/kbn_core_lifecycle_server_mocks.mdx | 2 +- api_docs/kbn_core_logging_browser_mocks.mdx | 2 +- api_docs/kbn_core_logging_common_internal.mdx | 2 +- api_docs/kbn_core_logging_server.mdx | 2 +- api_docs/kbn_core_logging_server_internal.mdx | 2 +- api_docs/kbn_core_logging_server_mocks.mdx | 2 +- ...ore_metrics_collectors_server_internal.mdx | 2 +- ...n_core_metrics_collectors_server_mocks.mdx | 2 +- api_docs/kbn_core_metrics_server.mdx | 2 +- api_docs/kbn_core_metrics_server_internal.mdx | 2 +- api_docs/kbn_core_metrics_server_mocks.mdx | 2 +- api_docs/kbn_core_mount_utils_browser.mdx | 2 +- api_docs/kbn_core_node_server.mdx | 2 +- api_docs/kbn_core_node_server_internal.mdx | 2 +- api_docs/kbn_core_node_server_mocks.mdx | 2 +- api_docs/kbn_core_notifications_browser.mdx | 2 +- ...bn_core_notifications_browser_internal.mdx | 2 +- .../kbn_core_notifications_browser_mocks.mdx | 2 +- api_docs/kbn_core_overlays_browser.mdx | 2 +- .../kbn_core_overlays_browser_internal.mdx | 2 +- api_docs/kbn_core_overlays_browser_mocks.mdx | 2 +- api_docs/kbn_core_plugins_browser.mdx | 2 +- api_docs/kbn_core_plugins_browser_mocks.mdx | 2 +- .../kbn_core_plugins_contracts_browser.mdx | 2 +- .../kbn_core_plugins_contracts_server.mdx | 2 +- api_docs/kbn_core_plugins_server.mdx | 2 +- api_docs/kbn_core_plugins_server_mocks.mdx | 2 +- api_docs/kbn_core_preboot_server.mdx | 2 +- api_docs/kbn_core_preboot_server_mocks.mdx | 2 +- api_docs/kbn_core_rendering_browser.mdx | 2 +- api_docs/kbn_core_rendering_browser_mocks.mdx | 2 +- .../kbn_core_rendering_server_internal.mdx | 2 +- api_docs/kbn_core_rendering_server_mocks.mdx | 2 +- api_docs/kbn_core_root_server_internal.mdx | 2 +- .../kbn_core_saved_objects_api_browser.mdx | 2 +- .../kbn_core_saved_objects_api_server.mdx | 2 +- ...bn_core_saved_objects_api_server_mocks.mdx | 2 +- ...ore_saved_objects_base_server_internal.mdx | 2 +- ...n_core_saved_objects_base_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_browser.mdx | 2 +- ...bn_core_saved_objects_browser_internal.mdx | 2 +- .../kbn_core_saved_objects_browser_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_common.mdx | 2 +- ..._objects_import_export_server_internal.mdx | 2 +- ...ved_objects_import_export_server_mocks.mdx | 2 +- ...aved_objects_migration_server_internal.mdx | 2 +- ...e_saved_objects_migration_server_mocks.mdx | 2 +- api_docs/kbn_core_saved_objects_server.mdx | 2 +- ...kbn_core_saved_objects_server_internal.mdx | 2 +- .../kbn_core_saved_objects_server_mocks.mdx | 2 +- .../kbn_core_saved_objects_utils_server.mdx | 2 +- api_docs/kbn_core_security_browser.mdx | 2 +- .../kbn_core_security_browser_internal.mdx | 2 +- api_docs/kbn_core_security_browser_mocks.mdx | 2 +- api_docs/kbn_core_security_common.mdx | 2 +- api_docs/kbn_core_security_server.mdx | 2 +- .../kbn_core_security_server_internal.mdx | 2 +- api_docs/kbn_core_security_server_mocks.mdx | 2 +- api_docs/kbn_core_status_common.mdx | 2 +- api_docs/kbn_core_status_server.mdx | 2 +- api_docs/kbn_core_status_server_internal.mdx | 2 +- api_docs/kbn_core_status_server_mocks.mdx | 2 +- ...core_test_helpers_deprecations_getters.mdx | 2 +- ...n_core_test_helpers_http_setup_browser.mdx | 2 +- api_docs/kbn_core_test_helpers_kbn_server.mdx | 2 +- .../kbn_core_test_helpers_model_versions.mdx | 2 +- ...n_core_test_helpers_so_type_serializer.mdx | 2 +- api_docs/kbn_core_test_helpers_test_utils.mdx | 2 +- api_docs/kbn_core_theme_browser.mdx | 2 +- api_docs/kbn_core_theme_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_browser.mdx | 2 +- .../kbn_core_ui_settings_browser_internal.mdx | 2 +- .../kbn_core_ui_settings_browser_mocks.mdx | 2 +- api_docs/kbn_core_ui_settings_common.mdx | 2 +- api_docs/kbn_core_ui_settings_server.mdx | 2 +- .../kbn_core_ui_settings_server_internal.mdx | 2 +- .../kbn_core_ui_settings_server_mocks.mdx | 2 +- api_docs/kbn_core_usage_data_server.mdx | 2 +- .../kbn_core_usage_data_server_internal.mdx | 2 +- api_docs/kbn_core_usage_data_server_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_browser.mdx | 2 +- ...kbn_core_user_profile_browser_internal.mdx | 2 +- .../kbn_core_user_profile_browser_mocks.mdx | 2 +- api_docs/kbn_core_user_profile_common.mdx | 2 +- api_docs/kbn_core_user_profile_server.mdx | 2 +- .../kbn_core_user_profile_server_internal.mdx | 2 +- .../kbn_core_user_profile_server_mocks.mdx | 2 +- api_docs/kbn_core_user_settings_server.mdx | 2 +- .../kbn_core_user_settings_server_mocks.mdx | 2 +- api_docs/kbn_crypto.mdx | 2 +- api_docs/kbn_crypto_browser.mdx | 2 +- api_docs/kbn_custom_icons.mdx | 2 +- api_docs/kbn_custom_integrations.mdx | 2 +- api_docs/kbn_cypress_config.mdx | 2 +- api_docs/kbn_data_forge.mdx | 2 +- api_docs/kbn_data_service.mdx | 2 +- api_docs/kbn_data_stream_adapter.mdx | 2 +- api_docs/kbn_data_view_utils.mdx | 2 +- api_docs/kbn_datemath.mdx | 2 +- api_docs/kbn_deeplinks_analytics.mdx | 2 +- api_docs/kbn_deeplinks_devtools.mdx | 2 +- api_docs/kbn_deeplinks_fleet.mdx | 2 +- api_docs/kbn_deeplinks_management.mdx | 2 +- api_docs/kbn_deeplinks_ml.mdx | 2 +- api_docs/kbn_deeplinks_observability.mdx | 2 +- api_docs/kbn_deeplinks_search.mdx | 2 +- api_docs/kbn_deeplinks_security.mdx | 2 +- api_docs/kbn_deeplinks_shared.mdx | 2 +- api_docs/kbn_default_nav_analytics.mdx | 2 +- api_docs/kbn_default_nav_devtools.mdx | 2 +- api_docs/kbn_default_nav_management.mdx | 2 +- api_docs/kbn_default_nav_ml.mdx | 2 +- api_docs/kbn_dev_cli_errors.mdx | 2 +- api_docs/kbn_dev_cli_runner.mdx | 2 +- api_docs/kbn_dev_proc_runner.mdx | 2 +- api_docs/kbn_dev_utils.mdx | 2 +- .../kbn_discover_contextual_components.mdx | 2 +- api_docs/kbn_discover_utils.mdx | 2 +- api_docs/kbn_doc_links.mdx | 2 +- api_docs/kbn_docs_utils.mdx | 2 +- api_docs/kbn_dom_drag_drop.mdx | 2 +- api_docs/kbn_ebt_tools.mdx | 2 +- api_docs/kbn_ecs_data_quality_dashboard.mdx | 2 +- api_docs/kbn_elastic_agent_utils.mdx | 2 +- api_docs/kbn_elastic_assistant.mdx | 2 +- api_docs/kbn_elastic_assistant_common.mdx | 2 +- api_docs/kbn_entities_schema.mdx | 2 +- api_docs/kbn_es.mdx | 2 +- api_docs/kbn_es_archiver.mdx | 2 +- api_docs/kbn_es_errors.mdx | 2 +- api_docs/kbn_es_query.mdx | 2 +- api_docs/kbn_es_types.mdx | 2 +- api_docs/kbn_eslint_plugin_imports.mdx | 2 +- api_docs/kbn_esql_ast.mdx | 2 +- api_docs/kbn_esql_editor.mdx | 2 +- api_docs/kbn_esql_utils.mdx | 2 +- api_docs/kbn_esql_validation_autocomplete.mdx | 2 +- api_docs/kbn_event_annotation_common.mdx | 2 +- api_docs/kbn_event_annotation_components.mdx | 2 +- api_docs/kbn_expandable_flyout.mdx | 2 +- api_docs/kbn_field_types.mdx | 2 +- api_docs/kbn_field_utils.mdx | 2 +- api_docs/kbn_find_used_node_modules.mdx | 2 +- api_docs/kbn_formatters.mdx | 2 +- .../kbn_ftr_common_functional_services.mdx | 2 +- .../kbn_ftr_common_functional_ui_services.mdx | 2 +- api_docs/kbn_gen_ai_functional_testing.mdx | 2 +- api_docs/kbn_generate.mdx | 2 +- api_docs/kbn_generate_console_definitions.mdx | 2 +- api_docs/kbn_generate_csv.mdx | 2 +- api_docs/kbn_grid_layout.mdx | 2 +- api_docs/kbn_grouping.mdx | 2 +- api_docs/kbn_guided_onboarding.mdx | 2 +- api_docs/kbn_handlebars.mdx | 2 +- api_docs/kbn_hapi_mocks.mdx | 2 +- api_docs/kbn_health_gateway_server.mdx | 2 +- api_docs/kbn_home_sample_data_card.mdx | 2 +- api_docs/kbn_home_sample_data_tab.mdx | 2 +- api_docs/kbn_i18n.mdx | 2 +- api_docs/kbn_i18n_react.mdx | 2 +- api_docs/kbn_import_resolver.mdx | 2 +- api_docs/kbn_index_adapter.mdx | 2 +- ...dex_lifecycle_management_common_shared.mdx | 2 +- .../kbn_index_management_shared_types.mdx | 2 +- api_docs/kbn_inference_common.mdx | 2 +- api_docs/kbn_inference_integration_flyout.mdx | 2 +- api_docs/kbn_infra_forge.mdx | 2 +- api_docs/kbn_interpreter.mdx | 2 +- api_docs/kbn_investigation_shared.mdx | 2 +- api_docs/kbn_io_ts_utils.mdx | 2 +- api_docs/kbn_ipynb.mdx | 2 +- api_docs/kbn_item_buffer.mdx | 2 +- api_docs/kbn_jest_serializers.mdx | 2 +- api_docs/kbn_journeys.mdx | 2 +- api_docs/kbn_json_ast.mdx | 2 +- api_docs/kbn_json_schemas.mdx | 2 +- api_docs/kbn_kibana_manifest_schema.mdx | 2 +- api_docs/kbn_language_documentation.mdx | 2 +- api_docs/kbn_lens_embeddable_utils.mdx | 2 +- api_docs/kbn_lens_formula_docs.mdx | 2 +- api_docs/kbn_logging.mdx | 2 +- api_docs/kbn_logging_mocks.mdx | 2 +- api_docs/kbn_managed_content_badge.mdx | 2 +- api_docs/kbn_managed_vscode_config.mdx | 2 +- api_docs/kbn_management_cards_navigation.mdx | 2 +- .../kbn_management_settings_application.mdx | 2 +- ...ent_settings_components_field_category.mdx | 2 +- ...gement_settings_components_field_input.mdx | 2 +- ...nagement_settings_components_field_row.mdx | 2 +- ...bn_management_settings_components_form.mdx | 2 +- ...n_management_settings_field_definition.mdx | 2 +- api_docs/kbn_management_settings_ids.mdx | 2 +- ...n_management_settings_section_registry.mdx | 2 +- api_docs/kbn_management_settings_types.mdx | 2 +- .../kbn_management_settings_utilities.mdx | 2 +- api_docs/kbn_management_storybook_config.mdx | 2 +- api_docs/kbn_manifest.mdx | 2 +- api_docs/kbn_mapbox_gl.mdx | 2 +- api_docs/kbn_maps_vector_tile_utils.mdx | 2 +- api_docs/kbn_ml_agg_utils.mdx | 2 +- api_docs/kbn_ml_anomaly_utils.mdx | 2 +- api_docs/kbn_ml_cancellable_search.mdx | 2 +- api_docs/kbn_ml_category_validator.mdx | 2 +- api_docs/kbn_ml_chi2test.mdx | 2 +- .../kbn_ml_data_frame_analytics_utils.mdx | 2 +- api_docs/kbn_ml_data_grid.mdx | 2 +- api_docs/kbn_ml_date_picker.mdx | 2 +- api_docs/kbn_ml_date_utils.mdx | 2 +- api_docs/kbn_ml_error_utils.mdx | 2 +- api_docs/kbn_ml_field_stats_flyout.mdx | 2 +- api_docs/kbn_ml_in_memory_table.mdx | 2 +- api_docs/kbn_ml_is_defined.mdx | 2 +- api_docs/kbn_ml_is_populated_object.mdx | 2 +- api_docs/kbn_ml_kibana_theme.mdx | 2 +- api_docs/kbn_ml_local_storage.mdx | 2 +- api_docs/kbn_ml_nested_property.mdx | 2 +- api_docs/kbn_ml_number_utils.mdx | 2 +- api_docs/kbn_ml_parse_interval.mdx | 2 +- api_docs/kbn_ml_query_utils.mdx | 2 +- api_docs/kbn_ml_random_sampler_utils.mdx | 2 +- api_docs/kbn_ml_route_utils.mdx | 2 +- api_docs/kbn_ml_runtime_field_utils.mdx | 2 +- api_docs/kbn_ml_string_hash.mdx | 2 +- api_docs/kbn_ml_time_buckets.mdx | 2 +- api_docs/kbn_ml_trained_models_utils.mdx | 2 +- api_docs/kbn_ml_ui_actions.mdx | 2 +- api_docs/kbn_ml_url_state.mdx | 2 +- api_docs/kbn_ml_validators.mdx | 2 +- api_docs/kbn_mock_idp_utils.mdx | 2 +- api_docs/kbn_monaco.mdx | 2 +- api_docs/kbn_object_versioning.mdx | 2 +- api_docs/kbn_object_versioning_utils.mdx | 2 +- api_docs/kbn_observability_alert_details.mdx | 2 +- .../kbn_observability_alerting_rule_utils.mdx | 2 +- .../kbn_observability_alerting_test_data.mdx | 2 +- ...ility_get_padded_alert_time_range_util.mdx | 2 +- api_docs/kbn_observability_logs_overview.mdx | 2 +- ...kbn_observability_synthetics_test_data.mdx | 2 +- api_docs/kbn_openapi_bundler.mdx | 2 +- api_docs/kbn_openapi_generator.mdx | 2 +- api_docs/kbn_optimizer.mdx | 2 +- api_docs/kbn_optimizer_webpack_helpers.mdx | 2 +- api_docs/kbn_osquery_io_ts_types.mdx | 2 +- api_docs/kbn_palettes.mdx | 2 +- api_docs/kbn_panel_loader.mdx | 2 +- ..._performance_testing_dataset_extractor.mdx | 2 +- api_docs/kbn_plugin_check.mdx | 2 +- api_docs/kbn_plugin_generator.mdx | 2 +- api_docs/kbn_plugin_helpers.mdx | 2 +- api_docs/kbn_presentation_containers.mdx | 2 +- api_docs/kbn_presentation_publishing.mdx | 2 +- api_docs/kbn_product_doc_artifact_builder.mdx | 2 +- api_docs/kbn_product_doc_common.mdx | 2 +- api_docs/kbn_profiling_utils.mdx | 2 +- api_docs/kbn_random_sampling.mdx | 2 +- api_docs/kbn_react_field.mdx | 2 +- api_docs/kbn_react_hooks.mdx | 2 +- api_docs/kbn_react_kibana_context_common.mdx | 2 +- api_docs/kbn_react_kibana_context_render.mdx | 2 +- api_docs/kbn_react_kibana_context_root.mdx | 2 +- api_docs/kbn_react_kibana_context_styled.mdx | 2 +- api_docs/kbn_react_kibana_context_theme.mdx | 2 +- api_docs/kbn_react_kibana_mount.mdx | 2 +- .../kbn_react_mute_legacy_root_warning.mdx | 2 +- api_docs/kbn_recently_accessed.mdx | 2 +- api_docs/kbn_relocate.mdx | 2 +- api_docs/kbn_repo_file_maps.mdx | 2 +- api_docs/kbn_repo_linter.mdx | 2 +- api_docs/kbn_repo_path.mdx | 2 +- api_docs/kbn_repo_source_classifier.mdx | 2 +- api_docs/kbn_reporting_common.mdx | 2 +- api_docs/kbn_reporting_csv_share_panel.mdx | 2 +- api_docs/kbn_reporting_export_types_csv.mdx | 2 +- .../kbn_reporting_export_types_csv_common.mdx | 2 +- api_docs/kbn_reporting_export_types_pdf.mdx | 2 +- .../kbn_reporting_export_types_pdf_common.mdx | 2 +- api_docs/kbn_reporting_export_types_png.mdx | 2 +- .../kbn_reporting_export_types_png_common.mdx | 2 +- api_docs/kbn_reporting_mocks_server.mdx | 2 +- api_docs/kbn_reporting_public.mdx | 2 +- api_docs/kbn_reporting_server.mdx | 2 +- api_docs/kbn_resizable_layout.mdx | 2 +- .../kbn_response_ops_feature_flag_service.mdx | 2 +- api_docs/kbn_response_ops_rule_form.mdx | 2 +- api_docs/kbn_response_ops_rule_params.mdx | 2 +- api_docs/kbn_rison.mdx | 2 +- api_docs/kbn_rollup.mdx | 2 +- api_docs/kbn_router_to_openapispec.mdx | 2 +- api_docs/kbn_router_utils.mdx | 2 +- api_docs/kbn_rrule.mdx | 2 +- api_docs/kbn_rule_data_utils.mdx | 2 +- api_docs/kbn_saved_objects_settings.mdx | 2 +- api_docs/kbn_saved_search_component.mdx | 2 +- api_docs/kbn_scout.mdx | 2 +- api_docs/kbn_scout_info.mdx | 2 +- api_docs/kbn_scout_reporting.mdx | 2 +- api_docs/kbn_screenshotting_server.mdx | 2 +- api_docs/kbn_search_api_keys_components.mdx | 2 +- api_docs/kbn_search_api_keys_server.mdx | 2 +- api_docs/kbn_search_api_panels.mdx | 2 +- api_docs/kbn_search_connectors.mdx | 2 +- api_docs/kbn_search_errors.mdx | 2 +- api_docs/kbn_search_index_documents.mdx | 2 +- api_docs/kbn_search_response_warnings.mdx | 2 +- api_docs/kbn_search_shared_ui.mdx | 2 +- api_docs/kbn_search_types.mdx | 2 +- api_docs/kbn_security_api_key_management.mdx | 2 +- api_docs/kbn_security_authorization_core.mdx | 2 +- ...kbn_security_authorization_core_common.mdx | 2 +- api_docs/kbn_security_form_components.mdx | 2 +- api_docs/kbn_security_hardening.mdx | 2 +- api_docs/kbn_security_plugin_types_common.mdx | 2 +- api_docs/kbn_security_plugin_types_public.mdx | 2 +- api_docs/kbn_security_plugin_types_server.mdx | 2 +- .../kbn_security_role_management_model.mdx | 2 +- ...kbn_security_solution_distribution_bar.mdx | 2 +- api_docs/kbn_security_solution_features.mdx | 2 +- api_docs/kbn_security_solution_navigation.mdx | 2 +- api_docs/kbn_security_solution_side_nav.mdx | 2 +- ...kbn_security_solution_storybook_config.mdx | 2 +- api_docs/kbn_security_ui_components.mdx | 2 +- .../kbn_securitysolution_autocomplete.mdx | 2 +- api_docs/kbn_securitysolution_data_table.mdx | 2 +- api_docs/kbn_securitysolution_ecs.mdx | 2 +- api_docs/kbn_securitysolution_es_utils.mdx | 2 +- ...ritysolution_exception_list_components.mdx | 2 +- api_docs/kbn_securitysolution_hook_utils.mdx | 2 +- ..._securitysolution_io_ts_alerting_types.mdx | 2 +- .../kbn_securitysolution_io_ts_list_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_types.mdx | 2 +- api_docs/kbn_securitysolution_io_ts_utils.mdx | 2 +- api_docs/kbn_securitysolution_list_api.mdx | 2 +- .../kbn_securitysolution_list_constants.mdx | 2 +- api_docs/kbn_securitysolution_list_hooks.mdx | 2 +- api_docs/kbn_securitysolution_list_utils.mdx | 2 +- api_docs/kbn_securitysolution_rules.mdx | 2 +- api_docs/kbn_securitysolution_t_grid.mdx | 2 +- api_docs/kbn_securitysolution_utils.mdx | 2 +- api_docs/kbn_server_http_tools.mdx | 2 +- api_docs/kbn_server_route_repository.mdx | 2 +- .../kbn_server_route_repository_client.mdx | 2 +- .../kbn_server_route_repository_utils.mdx | 2 +- api_docs/kbn_serverless_common_settings.mdx | 2 +- .../kbn_serverless_observability_settings.mdx | 2 +- api_docs/kbn_serverless_project_switcher.mdx | 2 +- api_docs/kbn_serverless_search_settings.mdx | 2 +- api_docs/kbn_serverless_security_settings.mdx | 2 +- api_docs/kbn_serverless_storybook_config.mdx | 2 +- api_docs/kbn_shared_svg.mdx | 2 +- api_docs/kbn_shared_ux_avatar_solution.mdx | 2 +- .../kbn_shared_ux_button_exit_full_screen.mdx | 2 +- api_docs/kbn_shared_ux_button_toolbar.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data.mdx | 2 +- api_docs/kbn_shared_ux_card_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_chrome_navigation.mdx | 2 +- api_docs/kbn_shared_ux_error_boundary.mdx | 2 +- api_docs/kbn_shared_ux_file_context.mdx | 2 +- api_docs/kbn_shared_ux_file_image.mdx | 2 +- api_docs/kbn_shared_ux_file_image_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_mocks.mdx | 2 +- api_docs/kbn_shared_ux_file_picker.mdx | 2 +- api_docs/kbn_shared_ux_file_types.mdx | 2 +- api_docs/kbn_shared_ux_file_upload.mdx | 2 +- api_docs/kbn_shared_ux_file_util.mdx | 2 +- api_docs/kbn_shared_ux_link_redirect_app.mdx | 2 +- .../kbn_shared_ux_link_redirect_app_mocks.mdx | 2 +- api_docs/kbn_shared_ux_markdown.mdx | 2 +- api_docs/kbn_shared_ux_markdown_mocks.mdx | 2 +- .../kbn_shared_ux_page_analytics_no_data.mdx | 2 +- ...shared_ux_page_analytics_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_no_data.mdx | 2 +- ...bn_shared_ux_page_kibana_no_data_mocks.mdx | 2 +- .../kbn_shared_ux_page_kibana_template.mdx | 2 +- ...n_shared_ux_page_kibana_template_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data.mdx | 2 +- .../kbn_shared_ux_page_no_data_config.mdx | 2 +- ...bn_shared_ux_page_no_data_config_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_no_data_mocks.mdx | 2 +- api_docs/kbn_shared_ux_page_solution_nav.mdx | 2 +- .../kbn_shared_ux_prompt_no_data_views.mdx | 2 +- ...n_shared_ux_prompt_no_data_views_mocks.mdx | 2 +- api_docs/kbn_shared_ux_prompt_not_found.mdx | 2 +- api_docs/kbn_shared_ux_router.mdx | 2 +- api_docs/kbn_shared_ux_router_mocks.mdx | 2 +- api_docs/kbn_shared_ux_storybook_config.mdx | 2 +- api_docs/kbn_shared_ux_storybook_mock.mdx | 2 +- api_docs/kbn_shared_ux_tabbed_modal.mdx | 2 +- api_docs/kbn_shared_ux_table_persist.mdx | 2 +- api_docs/kbn_shared_ux_utility.mdx | 2 +- api_docs/kbn_slo_schema.mdx | 2 +- api_docs/kbn_some_dev_log.mdx | 2 +- api_docs/kbn_sort_predicates.mdx | 2 +- api_docs/kbn_sse_utils.mdx | 2 +- api_docs/kbn_sse_utils_client.mdx | 2 +- api_docs/kbn_sse_utils_server.mdx | 2 +- api_docs/kbn_std.mdx | 2 +- api_docs/kbn_stdio_dev_helpers.mdx | 2 +- api_docs/kbn_storybook.mdx | 2 +- api_docs/kbn_synthetics_e2e.mdx | 2 +- api_docs/kbn_synthetics_private_location.mdx | 2 +- api_docs/kbn_telemetry_tools.mdx | 2 +- api_docs/kbn_test.mdx | 2 +- api_docs/kbn_test_eui_helpers.mdx | 2 +- api_docs/kbn_test_jest_helpers.mdx | 2 +- api_docs/kbn_test_subj_selector.mdx | 2 +- api_docs/kbn_timerange.mdx | 2 +- api_docs/kbn_tooling_log.mdx | 2 +- api_docs/kbn_transpose_utils.mdx | 2 +- api_docs/kbn_triggers_actions_ui_types.mdx | 2 +- api_docs/kbn_try_in_console.mdx | 2 +- api_docs/kbn_ts_projects.mdx | 2 +- api_docs/kbn_typed_react_router_config.mdx | 2 +- api_docs/kbn_ui_actions_browser.mdx | 2 +- api_docs/kbn_ui_shared_deps_src.mdx | 2 +- api_docs/kbn_ui_theme.mdx | 2 +- api_docs/kbn_unified_data_table.mdx | 2 +- api_docs/kbn_unified_doc_viewer.mdx | 2 +- api_docs/kbn_unified_field_list.mdx | 2 +- api_docs/kbn_unsaved_changes_badge.mdx | 2 +- api_docs/kbn_unsaved_changes_prompt.mdx | 2 +- api_docs/kbn_use_tracked_promise.mdx | 2 +- api_docs/kbn_user_profile_components.mdx | 2 +- api_docs/kbn_utility_types.mdx | 2 +- api_docs/kbn_utility_types_jest.mdx | 2 +- api_docs/kbn_utils.mdx | 2 +- api_docs/kbn_visualization_ui_components.mdx | 2 +- api_docs/kbn_visualization_utils.mdx | 2 +- api_docs/kbn_xstate_utils.mdx | 2 +- api_docs/kbn_yarn_lock_validator.mdx | 2 +- api_docs/kbn_zod.mdx | 2 +- api_docs/kbn_zod_helpers.mdx | 2 +- api_docs/kibana_overview.mdx | 2 +- api_docs/kibana_react.mdx | 2 +- api_docs/kibana_utils.mdx | 2 +- api_docs/kubernetes_security.mdx | 2 +- api_docs/lens.mdx | 2 +- api_docs/license_api_guard.mdx | 2 +- api_docs/license_management.mdx | 2 +- api_docs/licensing.mdx | 2 +- api_docs/links.mdx | 2 +- api_docs/lists.mdx | 2 +- api_docs/llm_tasks.mdx | 2 +- api_docs/logs_data_access.mdx | 2 +- api_docs/logs_explorer.mdx | 2 +- api_docs/logs_shared.mdx | 2 +- api_docs/management.mdx | 2 +- api_docs/maps.mdx | 2 +- api_docs/maps_ems.mdx | 2 +- api_docs/metrics_data_access.mdx | 2 +- api_docs/ml.mdx | 2 +- api_docs/mock_idp_plugin.mdx | 2 +- api_docs/monitoring.mdx | 2 +- api_docs/monitoring_collection.mdx | 2 +- api_docs/navigation.mdx | 2 +- api_docs/newsfeed.mdx | 2 +- api_docs/no_data_page.mdx | 2 +- api_docs/notifications.mdx | 2 +- api_docs/observability.mdx | 2 +- api_docs/observability_a_i_assistant.mdx | 2 +- api_docs/observability_a_i_assistant_app.mdx | 2 +- .../observability_ai_assistant_management.mdx | 2 +- api_docs/observability_logs_explorer.mdx | 2 +- api_docs/observability_onboarding.mdx | 2 +- api_docs/observability_shared.mdx | 2 +- api_docs/osquery.mdx | 2 +- api_docs/painless_lab.mdx | 2 +- api_docs/plugin_directory.mdx | 6 ++-- api_docs/presentation_panel.mdx | 2 +- api_docs/presentation_util.mdx | 2 +- api_docs/product_doc_base.mdx | 2 +- api_docs/profiling.mdx | 2 +- api_docs/profiling_data_access.mdx | 2 +- api_docs/remote_clusters.mdx | 2 +- api_docs/reporting.mdx | 2 +- api_docs/rollup.mdx | 2 +- api_docs/rule_registry.mdx | 2 +- api_docs/runtime_fields.mdx | 2 +- api_docs/saved_objects.mdx | 2 +- api_docs/saved_objects_finder.mdx | 2 +- api_docs/saved_objects_management.mdx | 2 +- api_docs/saved_objects_tagging.mdx | 2 +- api_docs/saved_objects_tagging_oss.mdx | 2 +- api_docs/saved_search.mdx | 2 +- api_docs/screenshot_mode.mdx | 2 +- api_docs/screenshotting.mdx | 2 +- api_docs/search_assistant.mdx | 2 +- api_docs/search_connectors.mdx | 2 +- api_docs/search_homepage.mdx | 2 +- api_docs/search_indices.mdx | 2 +- api_docs/search_inference_endpoints.mdx | 2 +- api_docs/search_navigation.mdx | 2 +- api_docs/search_notebooks.mdx | 2 +- api_docs/search_playground.mdx | 2 +- api_docs/security.mdx | 2 +- api_docs/security_solution.mdx | 2 +- api_docs/security_solution_ess.mdx | 2 +- api_docs/security_solution_serverless.mdx | 2 +- api_docs/serverless.mdx | 2 +- api_docs/serverless_observability.mdx | 2 +- api_docs/serverless_search.mdx | 2 +- api_docs/session_view.mdx | 2 +- api_docs/share.mdx | 2 +- api_docs/slo.mdx | 2 +- api_docs/snapshot_restore.mdx | 2 +- api_docs/spaces.mdx | 2 +- api_docs/stack_alerts.mdx | 2 +- api_docs/stack_connectors.mdx | 2 +- api_docs/streams.mdx | 2 +- api_docs/streams_app.mdx | 2 +- api_docs/task_manager.mdx | 2 +- api_docs/telemetry.mdx | 2 +- api_docs/telemetry_collection_manager.mdx | 2 +- api_docs/telemetry_management_section.mdx | 2 +- api_docs/threat_intelligence.mdx | 2 +- api_docs/timelines.mdx | 2 +- api_docs/transform.mdx | 2 +- api_docs/triggers_actions_ui.mdx | 2 +- api_docs/ui_actions.mdx | 2 +- api_docs/ui_actions_enhanced.mdx | 2 +- api_docs/unified_doc_viewer.mdx | 2 +- api_docs/unified_histogram.mdx | 2 +- api_docs/unified_search.mdx | 2 +- api_docs/unified_search_autocomplete.mdx | 2 +- api_docs/uptime.mdx | 2 +- api_docs/url_forwarding.mdx | 2 +- api_docs/usage_collection.mdx | 2 +- api_docs/ux.mdx | 2 +- api_docs/vis_default_editor.mdx | 2 +- api_docs/vis_type_gauge.mdx | 2 +- api_docs/vis_type_heatmap.mdx | 2 +- api_docs/vis_type_pie.mdx | 2 +- api_docs/vis_type_table.mdx | 2 +- api_docs/vis_type_timelion.mdx | 2 +- api_docs/vis_type_timeseries.mdx | 2 +- api_docs/vis_type_vega.mdx | 2 +- api_docs/vis_type_vislib.mdx | 2 +- api_docs/vis_type_xy.mdx | 2 +- api_docs/visualizations.mdx | 2 +- 778 files changed, 810 insertions(+), 780 deletions(-) diff --git a/api_docs/actions.mdx b/api_docs/actions.mdx index 5014b27b0e741..35f0ed0b568be 100644 --- a/api_docs/actions.mdx +++ b/api_docs/actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/actions title: "actions" image: https://source.unsplash.com/400x175/?github description: API docs for the actions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'actions'] --- import actionsObj from './actions.devdocs.json'; diff --git a/api_docs/advanced_settings.mdx b/api_docs/advanced_settings.mdx index 69e91f27a4a50..eb0f4206e205a 100644 --- a/api_docs/advanced_settings.mdx +++ b/api_docs/advanced_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/advancedSettings title: "advancedSettings" image: https://source.unsplash.com/400x175/?github description: API docs for the advancedSettings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'advancedSettings'] --- import advancedSettingsObj from './advanced_settings.devdocs.json'; diff --git a/api_docs/ai_assistant_management_selection.mdx b/api_docs/ai_assistant_management_selection.mdx index 2399662625832..7d4ff53bd0711 100644 --- a/api_docs/ai_assistant_management_selection.mdx +++ b/api_docs/ai_assistant_management_selection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiAssistantManagementSelection title: "aiAssistantManagementSelection" image: https://source.unsplash.com/400x175/?github description: API docs for the aiAssistantManagementSelection plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiAssistantManagementSelection'] --- import aiAssistantManagementSelectionObj from './ai_assistant_management_selection.devdocs.json'; diff --git a/api_docs/aiops.mdx b/api_docs/aiops.mdx index 52c5eaeab5323..bf02f41cc4d47 100644 --- a/api_docs/aiops.mdx +++ b/api_docs/aiops.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/aiops title: "aiops" image: https://source.unsplash.com/400x175/?github description: API docs for the aiops plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'aiops'] --- import aiopsObj from './aiops.devdocs.json'; diff --git a/api_docs/alerting.devdocs.json b/api_docs/alerting.devdocs.json index 8ca11a439e4cd..94a5a9fe942e6 100644 --- a/api_docs/alerting.devdocs.json +++ b/api_docs/alerting.devdocs.json @@ -10599,6 +10599,36 @@ "trackAdoption": false, "initialIsOpen": false }, + { + "parentPluginId": "alerting", + "id": "def-common.MAINTENANCE_WINDOW_DEFAULT_PER_PAGE", + "type": "number", + "tags": [], + "label": "MAINTENANCE_WINDOW_DEFAULT_PER_PAGE", + "description": [], + "signature": [ + "10" + ], + "path": "x-pack/plugins/alerting/common/maintenance_window.ts", + "deprecated": false, + "trackAdoption": false, + "initialIsOpen": false + }, + { + "parentPluginId": "alerting", + "id": "def-common.MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE", + "type": "number", + "tags": [], + "label": "MAINTENANCE_WINDOW_DEFAULT_TABLE_ACTIVE_PAGE", + "description": [], + "signature": [ + "1" + ], + "path": "x-pack/plugins/alerting/common/maintenance_window.ts", + "deprecated": false, + "trackAdoption": false, + "initialIsOpen": false + }, { "parentPluginId": "alerting", "id": "def-common.MAINTENANCE_WINDOW_FEATURE_ID", diff --git a/api_docs/alerting.mdx b/api_docs/alerting.mdx index 23a2b48b4d0da..f28995534258c 100644 --- a/api_docs/alerting.mdx +++ b/api_docs/alerting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/alerting title: "alerting" image: https://source.unsplash.com/400x175/?github description: API docs for the alerting plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'alerting'] --- import alertingObj from './alerting.devdocs.json'; @@ -21,7 +21,7 @@ Contact [@elastic/response-ops](https://github.com/orgs/elastic/teams/response-o | Public API count | Any count | Items lacking comments | Missing exports | |-------------------|-----------|------------------------|-----------------| -| 872 | 1 | 839 | 50 | +| 874 | 1 | 841 | 50 | ## Client diff --git a/api_docs/apm.mdx b/api_docs/apm.mdx index ef1ce3940b315..81f9c90011c99 100644 --- a/api_docs/apm.mdx +++ b/api_docs/apm.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apm title: "apm" image: https://source.unsplash.com/400x175/?github description: API docs for the apm plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apm'] --- import apmObj from './apm.devdocs.json'; diff --git a/api_docs/apm_data_access.mdx b/api_docs/apm_data_access.mdx index dcbd6f7316827..a988e164b6db4 100644 --- a/api_docs/apm_data_access.mdx +++ b/api_docs/apm_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/apmDataAccess title: "apmDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the apmDataAccess plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'apmDataAccess'] --- import apmDataAccessObj from './apm_data_access.devdocs.json'; diff --git a/api_docs/asset_inventory.mdx b/api_docs/asset_inventory.mdx index dc472054c762c..7b636006f5746 100644 --- a/api_docs/asset_inventory.mdx +++ b/api_docs/asset_inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/assetInventory title: "assetInventory" image: https://source.unsplash.com/400x175/?github description: API docs for the assetInventory plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'assetInventory'] --- import assetInventoryObj from './asset_inventory.devdocs.json'; diff --git a/api_docs/banners.mdx b/api_docs/banners.mdx index 23986e02a936f..00bdf26d46a1b 100644 --- a/api_docs/banners.mdx +++ b/api_docs/banners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/banners title: "banners" image: https://source.unsplash.com/400x175/?github description: API docs for the banners plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'banners'] --- import bannersObj from './banners.devdocs.json'; diff --git a/api_docs/canvas.mdx b/api_docs/canvas.mdx index f5633760a23c4..e0e66ddff6aa5 100644 --- a/api_docs/canvas.mdx +++ b/api_docs/canvas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/canvas title: "canvas" image: https://source.unsplash.com/400x175/?github description: API docs for the canvas plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'canvas'] --- import canvasObj from './canvas.devdocs.json'; diff --git a/api_docs/cases.mdx b/api_docs/cases.mdx index 23b5cd0e0aee4..069b939316364 100644 --- a/api_docs/cases.mdx +++ b/api_docs/cases.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cases title: "cases" image: https://source.unsplash.com/400x175/?github description: API docs for the cases plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cases'] --- import casesObj from './cases.devdocs.json'; diff --git a/api_docs/charts.mdx b/api_docs/charts.mdx index c20bec86f078f..7f2449f9fc70c 100644 --- a/api_docs/charts.mdx +++ b/api_docs/charts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/charts title: "charts" image: https://source.unsplash.com/400x175/?github description: API docs for the charts plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'charts'] --- import chartsObj from './charts.devdocs.json'; diff --git a/api_docs/cloud.mdx b/api_docs/cloud.mdx index 8840e5daa9565..2a12b17788650 100644 --- a/api_docs/cloud.mdx +++ b/api_docs/cloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloud title: "cloud" image: https://source.unsplash.com/400x175/?github description: API docs for the cloud plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloud'] --- import cloudObj from './cloud.devdocs.json'; diff --git a/api_docs/cloud_data_migration.mdx b/api_docs/cloud_data_migration.mdx index 511e934564175..2084de6a06805 100644 --- a/api_docs/cloud_data_migration.mdx +++ b/api_docs/cloud_data_migration.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDataMigration title: "cloudDataMigration" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDataMigration plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDataMigration'] --- import cloudDataMigrationObj from './cloud_data_migration.devdocs.json'; diff --git a/api_docs/cloud_defend.mdx b/api_docs/cloud_defend.mdx index 8ae85b575ecd9..af3fafdebf96d 100644 --- a/api_docs/cloud_defend.mdx +++ b/api_docs/cloud_defend.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudDefend title: "cloudDefend" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudDefend plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudDefend'] --- import cloudDefendObj from './cloud_defend.devdocs.json'; diff --git a/api_docs/cloud_security_posture.mdx b/api_docs/cloud_security_posture.mdx index a088a57715491..036ea4ddd2ba1 100644 --- a/api_docs/cloud_security_posture.mdx +++ b/api_docs/cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/cloudSecurityPosture title: "cloudSecurityPosture" image: https://source.unsplash.com/400x175/?github description: API docs for the cloudSecurityPosture plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'cloudSecurityPosture'] --- import cloudSecurityPostureObj from './cloud_security_posture.devdocs.json'; diff --git a/api_docs/console.mdx b/api_docs/console.mdx index 602a8657084d0..32ded97aa7d4b 100644 --- a/api_docs/console.mdx +++ b/api_docs/console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/console title: "console" image: https://source.unsplash.com/400x175/?github description: API docs for the console plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'console'] --- import consoleObj from './console.devdocs.json'; diff --git a/api_docs/content_management.mdx b/api_docs/content_management.mdx index cf519e0d45412..a8ef7eeabc4a1 100644 --- a/api_docs/content_management.mdx +++ b/api_docs/content_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/contentManagement title: "contentManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the contentManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'contentManagement'] --- import contentManagementObj from './content_management.devdocs.json'; diff --git a/api_docs/controls.mdx b/api_docs/controls.mdx index b9f01e918f96c..547b057a1bf12 100644 --- a/api_docs/controls.mdx +++ b/api_docs/controls.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/controls title: "controls" image: https://source.unsplash.com/400x175/?github description: API docs for the controls plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'controls'] --- import controlsObj from './controls.devdocs.json'; diff --git a/api_docs/custom_integrations.mdx b/api_docs/custom_integrations.mdx index 616b12ae57dac..f3c932e5a83c9 100644 --- a/api_docs/custom_integrations.mdx +++ b/api_docs/custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/customIntegrations title: "customIntegrations" image: https://source.unsplash.com/400x175/?github description: API docs for the customIntegrations plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'customIntegrations'] --- import customIntegrationsObj from './custom_integrations.devdocs.json'; diff --git a/api_docs/dashboard.mdx b/api_docs/dashboard.mdx index ce70a2406e9ba..fd8e03caf0646 100644 --- a/api_docs/dashboard.mdx +++ b/api_docs/dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboard title: "dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboard plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboard'] --- import dashboardObj from './dashboard.devdocs.json'; diff --git a/api_docs/dashboard_enhanced.mdx b/api_docs/dashboard_enhanced.mdx index 446d7803b67d2..647972f4d3dc2 100644 --- a/api_docs/dashboard_enhanced.mdx +++ b/api_docs/dashboard_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dashboardEnhanced title: "dashboardEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the dashboardEnhanced plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dashboardEnhanced'] --- import dashboardEnhancedObj from './dashboard_enhanced.devdocs.json'; diff --git a/api_docs/data.mdx b/api_docs/data.mdx index 692507eb404b5..74e871fb67dad 100644 --- a/api_docs/data.mdx +++ b/api_docs/data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data title: "data" image: https://source.unsplash.com/400x175/?github description: API docs for the data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data'] --- import dataObj from './data.devdocs.json'; diff --git a/api_docs/data_quality.mdx b/api_docs/data_quality.mdx index 214cff3a502aa..2fe3c0386b68b 100644 --- a/api_docs/data_quality.mdx +++ b/api_docs/data_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataQuality title: "dataQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the dataQuality plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataQuality'] --- import dataQualityObj from './data_quality.devdocs.json'; diff --git a/api_docs/data_query.mdx b/api_docs/data_query.mdx index 6cf86b8cdc49a..bab6b000ed22e 100644 --- a/api_docs/data_query.mdx +++ b/api_docs/data_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-query title: "data.query" image: https://source.unsplash.com/400x175/?github description: API docs for the data.query plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.query'] --- import dataQueryObj from './data_query.devdocs.json'; diff --git a/api_docs/data_search.mdx b/api_docs/data_search.mdx index d88981206dd3e..ef7a11e695403 100644 --- a/api_docs/data_search.mdx +++ b/api_docs/data_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/data-search title: "data.search" image: https://source.unsplash.com/400x175/?github description: API docs for the data.search plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'data.search'] --- import dataSearchObj from './data_search.devdocs.json'; diff --git a/api_docs/data_usage.mdx b/api_docs/data_usage.mdx index 8cb61f3d5c630..59754ea1fa306 100644 --- a/api_docs/data_usage.mdx +++ b/api_docs/data_usage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataUsage title: "dataUsage" image: https://source.unsplash.com/400x175/?github description: API docs for the dataUsage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataUsage'] --- import dataUsageObj from './data_usage.devdocs.json'; diff --git a/api_docs/data_view_editor.mdx b/api_docs/data_view_editor.mdx index 208d6b7837c62..d397bc50f3536 100644 --- a/api_docs/data_view_editor.mdx +++ b/api_docs/data_view_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewEditor title: "dataViewEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewEditor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewEditor'] --- import dataViewEditorObj from './data_view_editor.devdocs.json'; diff --git a/api_docs/data_view_field_editor.mdx b/api_docs/data_view_field_editor.mdx index 1ad390ff11bdd..92b3f4b54a512 100644 --- a/api_docs/data_view_field_editor.mdx +++ b/api_docs/data_view_field_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewFieldEditor title: "dataViewFieldEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewFieldEditor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewFieldEditor'] --- import dataViewFieldEditorObj from './data_view_field_editor.devdocs.json'; diff --git a/api_docs/data_view_management.mdx b/api_docs/data_view_management.mdx index 3516ffd546ec6..dca1a2a33e56c 100644 --- a/api_docs/data_view_management.mdx +++ b/api_docs/data_view_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViewManagement title: "dataViewManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViewManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViewManagement'] --- import dataViewManagementObj from './data_view_management.devdocs.json'; diff --git a/api_docs/data_views.mdx b/api_docs/data_views.mdx index a386583b9e6cb..986af0bf4b45e 100644 --- a/api_docs/data_views.mdx +++ b/api_docs/data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataViews title: "dataViews" image: https://source.unsplash.com/400x175/?github description: API docs for the dataViews plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataViews'] --- import dataViewsObj from './data_views.devdocs.json'; diff --git a/api_docs/data_visualizer.mdx b/api_docs/data_visualizer.mdx index b794814779c9a..1e09ae3693f02 100644 --- a/api_docs/data_visualizer.mdx +++ b/api_docs/data_visualizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/dataVisualizer title: "dataVisualizer" image: https://source.unsplash.com/400x175/?github description: API docs for the dataVisualizer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'dataVisualizer'] --- import dataVisualizerObj from './data_visualizer.devdocs.json'; diff --git a/api_docs/dataset_quality.mdx b/api_docs/dataset_quality.mdx index 55ae0cbf515b7..0d73fee98d76f 100644 --- a/api_docs/dataset_quality.mdx +++ b/api_docs/dataset_quality.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/datasetQuality title: "datasetQuality" image: https://source.unsplash.com/400x175/?github description: API docs for the datasetQuality plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'datasetQuality'] --- import datasetQualityObj from './dataset_quality.devdocs.json'; diff --git a/api_docs/deprecations_by_api.mdx b/api_docs/deprecations_by_api.mdx index b399b94b8ff31..c7a67edd98408 100644 --- a/api_docs/deprecations_by_api.mdx +++ b/api_docs/deprecations_by_api.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByApi slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-api title: Deprecated API usage by API description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_plugin.mdx b/api_docs/deprecations_by_plugin.mdx index aaceca125b600..a511d8d6e8b3a 100644 --- a/api_docs/deprecations_by_plugin.mdx +++ b/api_docs/deprecations_by_plugin.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsByPlugin slug: /kibana-dev-docs/api-meta/deprecated-api-list-by-plugin title: Deprecated API usage by plugin description: A list of deprecated APIs, which plugins are still referencing them, and when they need to be removed by. -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/deprecations_by_team.mdx b/api_docs/deprecations_by_team.mdx index a4ca61d0e01ad..6dee05ccb6c78 100644 --- a/api_docs/deprecations_by_team.mdx +++ b/api_docs/deprecations_by_team.mdx @@ -7,7 +7,7 @@ id: kibDevDocsDeprecationsDueByTeam slug: /kibana-dev-docs/api-meta/deprecations-due-by-team title: Deprecated APIs due to be removed, by team description: Lists the teams that are referencing deprecated APIs with a remove by date. -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- diff --git a/api_docs/dev_tools.mdx b/api_docs/dev_tools.mdx index 91231dd48fa52..4d8790a23d63f 100644 --- a/api_docs/dev_tools.mdx +++ b/api_docs/dev_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/devTools title: "devTools" image: https://source.unsplash.com/400x175/?github description: API docs for the devTools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'devTools'] --- import devToolsObj from './dev_tools.devdocs.json'; diff --git a/api_docs/discover.mdx b/api_docs/discover.mdx index 4e321e1d92711..c1c596d4fb2aa 100644 --- a/api_docs/discover.mdx +++ b/api_docs/discover.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discover title: "discover" image: https://source.unsplash.com/400x175/?github description: API docs for the discover plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discover'] --- import discoverObj from './discover.devdocs.json'; diff --git a/api_docs/discover_enhanced.mdx b/api_docs/discover_enhanced.mdx index 1bd1da49497e4..e5dadf61fc219 100644 --- a/api_docs/discover_enhanced.mdx +++ b/api_docs/discover_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverEnhanced title: "discoverEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverEnhanced plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverEnhanced'] --- import discoverEnhancedObj from './discover_enhanced.devdocs.json'; diff --git a/api_docs/discover_shared.mdx b/api_docs/discover_shared.mdx index ee9ab893c7c41..2cecef177fefc 100644 --- a/api_docs/discover_shared.mdx +++ b/api_docs/discover_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/discoverShared title: "discoverShared" image: https://source.unsplash.com/400x175/?github description: API docs for the discoverShared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'discoverShared'] --- import discoverSharedObj from './discover_shared.devdocs.json'; diff --git a/api_docs/ecs_data_quality_dashboard.mdx b/api_docs/ecs_data_quality_dashboard.mdx index 8dd727f0926aa..877a84dc5308c 100644 --- a/api_docs/ecs_data_quality_dashboard.mdx +++ b/api_docs/ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ecsDataQualityDashboard title: "ecsDataQualityDashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the ecsDataQualityDashboard plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ecsDataQualityDashboard'] --- import ecsDataQualityDashboardObj from './ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/elastic_assistant.mdx b/api_docs/elastic_assistant.mdx index 0a59c45e3f7dc..fe426b1dfae37 100644 --- a/api_docs/elastic_assistant.mdx +++ b/api_docs/elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/elasticAssistant title: "elasticAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the elasticAssistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'elasticAssistant'] --- import elasticAssistantObj from './elastic_assistant.devdocs.json'; diff --git a/api_docs/embeddable.mdx b/api_docs/embeddable.mdx index 4b570d622bccb..89eaf1bbe9d6e 100644 --- a/api_docs/embeddable.mdx +++ b/api_docs/embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddable title: "embeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddable plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddable'] --- import embeddableObj from './embeddable.devdocs.json'; diff --git a/api_docs/embeddable_enhanced.mdx b/api_docs/embeddable_enhanced.mdx index be4f272e87431..6442f5768c1fb 100644 --- a/api_docs/embeddable_enhanced.mdx +++ b/api_docs/embeddable_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/embeddableEnhanced title: "embeddableEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the embeddableEnhanced plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'embeddableEnhanced'] --- import embeddableEnhancedObj from './embeddable_enhanced.devdocs.json'; diff --git a/api_docs/encrypted_saved_objects.mdx b/api_docs/encrypted_saved_objects.mdx index ad8a1795db027..bf687764b0246 100644 --- a/api_docs/encrypted_saved_objects.mdx +++ b/api_docs/encrypted_saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/encryptedSavedObjects title: "encryptedSavedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the encryptedSavedObjects plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'encryptedSavedObjects'] --- import encryptedSavedObjectsObj from './encrypted_saved_objects.devdocs.json'; diff --git a/api_docs/enterprise_search.mdx b/api_docs/enterprise_search.mdx index 5b909385f50c2..53f514aa1aadf 100644 --- a/api_docs/enterprise_search.mdx +++ b/api_docs/enterprise_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/enterpriseSearch title: "enterpriseSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the enterpriseSearch plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'enterpriseSearch'] --- import enterpriseSearchObj from './enterprise_search.devdocs.json'; diff --git a/api_docs/entities_data_access.mdx b/api_docs/entities_data_access.mdx index fa5bf7f99162a..2de8d4ab30466 100644 --- a/api_docs/entities_data_access.mdx +++ b/api_docs/entities_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entitiesDataAccess title: "entitiesDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the entitiesDataAccess plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entitiesDataAccess'] --- import entitiesDataAccessObj from './entities_data_access.devdocs.json'; diff --git a/api_docs/entity_manager.mdx b/api_docs/entity_manager.mdx index c3dd86b405911..79180f1eb136f 100644 --- a/api_docs/entity_manager.mdx +++ b/api_docs/entity_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/entityManager title: "entityManager" image: https://source.unsplash.com/400x175/?github description: API docs for the entityManager plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'entityManager'] --- import entityManagerObj from './entity_manager.devdocs.json'; diff --git a/api_docs/es_ui_shared.mdx b/api_docs/es_ui_shared.mdx index 71caffcc59dc4..772ff3a8aa771 100644 --- a/api_docs/es_ui_shared.mdx +++ b/api_docs/es_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esUiShared title: "esUiShared" image: https://source.unsplash.com/400x175/?github description: API docs for the esUiShared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esUiShared'] --- import esUiSharedObj from './es_ui_shared.devdocs.json'; diff --git a/api_docs/esql.mdx b/api_docs/esql.mdx index d6e91d400abc3..0e3ae2f72ccfe 100644 --- a/api_docs/esql.mdx +++ b/api_docs/esql.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esql title: "esql" image: https://source.unsplash.com/400x175/?github description: API docs for the esql plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esql'] --- import esqlObj from './esql.devdocs.json'; diff --git a/api_docs/esql_data_grid.mdx b/api_docs/esql_data_grid.mdx index 51af3ea26eb3a..a4c86b86e093f 100644 --- a/api_docs/esql_data_grid.mdx +++ b/api_docs/esql_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/esqlDataGrid title: "esqlDataGrid" image: https://source.unsplash.com/400x175/?github description: API docs for the esqlDataGrid plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'esqlDataGrid'] --- import esqlDataGridObj from './esql_data_grid.devdocs.json'; diff --git a/api_docs/event_annotation.mdx b/api_docs/event_annotation.mdx index 0c54debe2a889..9ff8c310125b4 100644 --- a/api_docs/event_annotation.mdx +++ b/api_docs/event_annotation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotation title: "eventAnnotation" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotation'] --- import eventAnnotationObj from './event_annotation.devdocs.json'; diff --git a/api_docs/event_annotation_listing.mdx b/api_docs/event_annotation_listing.mdx index 1dae7742f24b3..027df878fa5a2 100644 --- a/api_docs/event_annotation_listing.mdx +++ b/api_docs/event_annotation_listing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventAnnotationListing title: "eventAnnotationListing" image: https://source.unsplash.com/400x175/?github description: API docs for the eventAnnotationListing plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventAnnotationListing'] --- import eventAnnotationListingObj from './event_annotation_listing.devdocs.json'; diff --git a/api_docs/event_log.mdx b/api_docs/event_log.mdx index 03129d7db6674..3f3aebc6e5fe0 100644 --- a/api_docs/event_log.mdx +++ b/api_docs/event_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/eventLog title: "eventLog" image: https://source.unsplash.com/400x175/?github description: API docs for the eventLog plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'eventLog'] --- import eventLogObj from './event_log.devdocs.json'; diff --git a/api_docs/exploratory_view.mdx b/api_docs/exploratory_view.mdx index 7da9e02775d6d..1a74d3bf1c351 100644 --- a/api_docs/exploratory_view.mdx +++ b/api_docs/exploratory_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/exploratoryView title: "exploratoryView" image: https://source.unsplash.com/400x175/?github description: API docs for the exploratoryView plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'exploratoryView'] --- import exploratoryViewObj from './exploratory_view.devdocs.json'; diff --git a/api_docs/expression_error.mdx b/api_docs/expression_error.mdx index 183c54de12bd3..7184edf5adfbb 100644 --- a/api_docs/expression_error.mdx +++ b/api_docs/expression_error.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionError title: "expressionError" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionError plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionError'] --- import expressionErrorObj from './expression_error.devdocs.json'; diff --git a/api_docs/expression_gauge.mdx b/api_docs/expression_gauge.mdx index c52ada151e8f4..b9662854c1232 100644 --- a/api_docs/expression_gauge.mdx +++ b/api_docs/expression_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionGauge title: "expressionGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionGauge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionGauge'] --- import expressionGaugeObj from './expression_gauge.devdocs.json'; diff --git a/api_docs/expression_heatmap.mdx b/api_docs/expression_heatmap.mdx index 4dcdc96a60443..34165dc06a2f2 100644 --- a/api_docs/expression_heatmap.mdx +++ b/api_docs/expression_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionHeatmap title: "expressionHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionHeatmap plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionHeatmap'] --- import expressionHeatmapObj from './expression_heatmap.devdocs.json'; diff --git a/api_docs/expression_image.mdx b/api_docs/expression_image.mdx index 1c230f566f580..88f2638390249 100644 --- a/api_docs/expression_image.mdx +++ b/api_docs/expression_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionImage title: "expressionImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionImage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionImage'] --- import expressionImageObj from './expression_image.devdocs.json'; diff --git a/api_docs/expression_legacy_metric_vis.mdx b/api_docs/expression_legacy_metric_vis.mdx index 01f9065222434..16d203d59d598 100644 --- a/api_docs/expression_legacy_metric_vis.mdx +++ b/api_docs/expression_legacy_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionLegacyMetricVis title: "expressionLegacyMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionLegacyMetricVis plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionLegacyMetricVis'] --- import expressionLegacyMetricVisObj from './expression_legacy_metric_vis.devdocs.json'; diff --git a/api_docs/expression_metric.mdx b/api_docs/expression_metric.mdx index 597da36501111..012f14a7aaab6 100644 --- a/api_docs/expression_metric.mdx +++ b/api_docs/expression_metric.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetric title: "expressionMetric" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetric plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetric'] --- import expressionMetricObj from './expression_metric.devdocs.json'; diff --git a/api_docs/expression_metric_vis.mdx b/api_docs/expression_metric_vis.mdx index b29a2e23de57e..7525587954746 100644 --- a/api_docs/expression_metric_vis.mdx +++ b/api_docs/expression_metric_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionMetricVis title: "expressionMetricVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionMetricVis plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionMetricVis'] --- import expressionMetricVisObj from './expression_metric_vis.devdocs.json'; diff --git a/api_docs/expression_partition_vis.mdx b/api_docs/expression_partition_vis.mdx index bdfeac1d02fd3..3f7b55879e4dc 100644 --- a/api_docs/expression_partition_vis.mdx +++ b/api_docs/expression_partition_vis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionPartitionVis title: "expressionPartitionVis" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionPartitionVis plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionPartitionVis'] --- import expressionPartitionVisObj from './expression_partition_vis.devdocs.json'; diff --git a/api_docs/expression_repeat_image.mdx b/api_docs/expression_repeat_image.mdx index 297e1bd7084b0..f01620313d27c 100644 --- a/api_docs/expression_repeat_image.mdx +++ b/api_docs/expression_repeat_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRepeatImage title: "expressionRepeatImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRepeatImage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRepeatImage'] --- import expressionRepeatImageObj from './expression_repeat_image.devdocs.json'; diff --git a/api_docs/expression_reveal_image.mdx b/api_docs/expression_reveal_image.mdx index 4318579722be4..582089ebd450f 100644 --- a/api_docs/expression_reveal_image.mdx +++ b/api_docs/expression_reveal_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionRevealImage title: "expressionRevealImage" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionRevealImage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionRevealImage'] --- import expressionRevealImageObj from './expression_reveal_image.devdocs.json'; diff --git a/api_docs/expression_shape.mdx b/api_docs/expression_shape.mdx index 64e56019df5df..de3b36dad22f8 100644 --- a/api_docs/expression_shape.mdx +++ b/api_docs/expression_shape.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionShape title: "expressionShape" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionShape plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionShape'] --- import expressionShapeObj from './expression_shape.devdocs.json'; diff --git a/api_docs/expression_tagcloud.mdx b/api_docs/expression_tagcloud.mdx index d64105445b312..0501f6bc69279 100644 --- a/api_docs/expression_tagcloud.mdx +++ b/api_docs/expression_tagcloud.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionTagcloud title: "expressionTagcloud" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionTagcloud plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionTagcloud'] --- import expressionTagcloudObj from './expression_tagcloud.devdocs.json'; diff --git a/api_docs/expression_x_y.mdx b/api_docs/expression_x_y.mdx index 6c714fdeebbc5..adefe41eca4d8 100644 --- a/api_docs/expression_x_y.mdx +++ b/api_docs/expression_x_y.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressionXY title: "expressionXY" image: https://source.unsplash.com/400x175/?github description: API docs for the expressionXY plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressionXY'] --- import expressionXYObj from './expression_x_y.devdocs.json'; diff --git a/api_docs/expressions.mdx b/api_docs/expressions.mdx index b897076de3b40..2f63c380ab35a 100644 --- a/api_docs/expressions.mdx +++ b/api_docs/expressions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/expressions title: "expressions" image: https://source.unsplash.com/400x175/?github description: API docs for the expressions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'expressions'] --- import expressionsObj from './expressions.devdocs.json'; diff --git a/api_docs/features.mdx b/api_docs/features.mdx index 1c879a80fa8dd..44cedc0d129db 100644 --- a/api_docs/features.mdx +++ b/api_docs/features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/features title: "features" image: https://source.unsplash.com/400x175/?github description: API docs for the features plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'features'] --- import featuresObj from './features.devdocs.json'; diff --git a/api_docs/field_formats.mdx b/api_docs/field_formats.mdx index 13d415fa3ec28..81c57e3e500cb 100644 --- a/api_docs/field_formats.mdx +++ b/api_docs/field_formats.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldFormats title: "fieldFormats" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldFormats plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldFormats'] --- import fieldFormatsObj from './field_formats.devdocs.json'; diff --git a/api_docs/fields_metadata.mdx b/api_docs/fields_metadata.mdx index afa40973bae7c..f9bea71bebbfd 100644 --- a/api_docs/fields_metadata.mdx +++ b/api_docs/fields_metadata.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fieldsMetadata title: "fieldsMetadata" image: https://source.unsplash.com/400x175/?github description: API docs for the fieldsMetadata plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fieldsMetadata'] --- import fieldsMetadataObj from './fields_metadata.devdocs.json'; diff --git a/api_docs/file_upload.mdx b/api_docs/file_upload.mdx index 221e81a16808a..fbb13c256a3fb 100644 --- a/api_docs/file_upload.mdx +++ b/api_docs/file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fileUpload title: "fileUpload" image: https://source.unsplash.com/400x175/?github description: API docs for the fileUpload plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fileUpload'] --- import fileUploadObj from './file_upload.devdocs.json'; diff --git a/api_docs/files.mdx b/api_docs/files.mdx index 6a87c4fed29ac..b2744bb827ce0 100644 --- a/api_docs/files.mdx +++ b/api_docs/files.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/files title: "files" image: https://source.unsplash.com/400x175/?github description: API docs for the files plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'files'] --- import filesObj from './files.devdocs.json'; diff --git a/api_docs/files_management.mdx b/api_docs/files_management.mdx index 676a72f40d6eb..88d19f10a6537 100644 --- a/api_docs/files_management.mdx +++ b/api_docs/files_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/filesManagement title: "filesManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the filesManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'filesManagement'] --- import filesManagementObj from './files_management.devdocs.json'; diff --git a/api_docs/fleet.mdx b/api_docs/fleet.mdx index 3fc57da88c820..39f526c34d8d2 100644 --- a/api_docs/fleet.mdx +++ b/api_docs/fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/fleet title: "fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the fleet plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'fleet'] --- import fleetObj from './fleet.devdocs.json'; diff --git a/api_docs/global_search.mdx b/api_docs/global_search.mdx index 94b9ad8bc886b..4fb4124987c5e 100644 --- a/api_docs/global_search.mdx +++ b/api_docs/global_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/globalSearch title: "globalSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the globalSearch plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'globalSearch'] --- import globalSearchObj from './global_search.devdocs.json'; diff --git a/api_docs/guided_onboarding.mdx b/api_docs/guided_onboarding.mdx index 3d2c347af05f6..e7c24a52f1d84 100644 --- a/api_docs/guided_onboarding.mdx +++ b/api_docs/guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/guidedOnboarding title: "guidedOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the guidedOnboarding plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'guidedOnboarding'] --- import guidedOnboardingObj from './guided_onboarding.devdocs.json'; diff --git a/api_docs/home.mdx b/api_docs/home.mdx index 3176ea2385b88..4a8f77330fad0 100644 --- a/api_docs/home.mdx +++ b/api_docs/home.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/home title: "home" image: https://source.unsplash.com/400x175/?github description: API docs for the home plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'home'] --- import homeObj from './home.devdocs.json'; diff --git a/api_docs/image_embeddable.mdx b/api_docs/image_embeddable.mdx index e3b759747b3a6..c91ce7e287e40 100644 --- a/api_docs/image_embeddable.mdx +++ b/api_docs/image_embeddable.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/imageEmbeddable title: "imageEmbeddable" image: https://source.unsplash.com/400x175/?github description: API docs for the imageEmbeddable plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'imageEmbeddable'] --- import imageEmbeddableObj from './image_embeddable.devdocs.json'; diff --git a/api_docs/index_lifecycle_management.mdx b/api_docs/index_lifecycle_management.mdx index ce339d60a3370..f3e1d5d9768ff 100644 --- a/api_docs/index_lifecycle_management.mdx +++ b/api_docs/index_lifecycle_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexLifecycleManagement title: "indexLifecycleManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexLifecycleManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexLifecycleManagement'] --- import indexLifecycleManagementObj from './index_lifecycle_management.devdocs.json'; diff --git a/api_docs/index_management.mdx b/api_docs/index_management.mdx index cb03176f66237..9c51b17475c72 100644 --- a/api_docs/index_management.mdx +++ b/api_docs/index_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/indexManagement title: "indexManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the indexManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'indexManagement'] --- import indexManagementObj from './index_management.devdocs.json'; diff --git a/api_docs/inference.mdx b/api_docs/inference.mdx index da41bfbd4cbc0..c9a303e522c58 100644 --- a/api_docs/inference.mdx +++ b/api_docs/inference.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inference title: "inference" image: https://source.unsplash.com/400x175/?github description: API docs for the inference plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inference'] --- import inferenceObj from './inference.devdocs.json'; diff --git a/api_docs/infra.mdx b/api_docs/infra.mdx index c09d554350c3b..bea4e41bfef8d 100644 --- a/api_docs/infra.mdx +++ b/api_docs/infra.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/infra title: "infra" image: https://source.unsplash.com/400x175/?github description: API docs for the infra plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'infra'] --- import infraObj from './infra.devdocs.json'; diff --git a/api_docs/ingest_pipelines.mdx b/api_docs/ingest_pipelines.mdx index 45f8e8e955e73..09b4b27d1822b 100644 --- a/api_docs/ingest_pipelines.mdx +++ b/api_docs/ingest_pipelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ingestPipelines title: "ingestPipelines" image: https://source.unsplash.com/400x175/?github description: API docs for the ingestPipelines plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ingestPipelines'] --- import ingestPipelinesObj from './ingest_pipelines.devdocs.json'; diff --git a/api_docs/inspector.mdx b/api_docs/inspector.mdx index e3752dde6f56e..68476254f332e 100644 --- a/api_docs/inspector.mdx +++ b/api_docs/inspector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inspector title: "inspector" image: https://source.unsplash.com/400x175/?github description: API docs for the inspector plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inspector'] --- import inspectorObj from './inspector.devdocs.json'; diff --git a/api_docs/integration_assistant.mdx b/api_docs/integration_assistant.mdx index 472b4780a960d..c00cdd4176221 100644 --- a/api_docs/integration_assistant.mdx +++ b/api_docs/integration_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/integrationAssistant title: "integrationAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the integrationAssistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'integrationAssistant'] --- import integrationAssistantObj from './integration_assistant.devdocs.json'; diff --git a/api_docs/interactive_setup.mdx b/api_docs/interactive_setup.mdx index 73eec57b8fd06..376198c14ecd6 100644 --- a/api_docs/interactive_setup.mdx +++ b/api_docs/interactive_setup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/interactiveSetup title: "interactiveSetup" image: https://source.unsplash.com/400x175/?github description: API docs for the interactiveSetup plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'interactiveSetup'] --- import interactiveSetupObj from './interactive_setup.devdocs.json'; diff --git a/api_docs/inventory.mdx b/api_docs/inventory.mdx index 5cf43745a3015..f56cc583af6bf 100644 --- a/api_docs/inventory.mdx +++ b/api_docs/inventory.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/inventory title: "inventory" image: https://source.unsplash.com/400x175/?github description: API docs for the inventory plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'inventory'] --- import inventoryObj from './inventory.devdocs.json'; diff --git a/api_docs/investigate.mdx b/api_docs/investigate.mdx index 3d9a6d8665eae..79cec901eedc5 100644 --- a/api_docs/investigate.mdx +++ b/api_docs/investigate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigate title: "investigate" image: https://source.unsplash.com/400x175/?github description: API docs for the investigate plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigate'] --- import investigateObj from './investigate.devdocs.json'; diff --git a/api_docs/investigate_app.mdx b/api_docs/investigate_app.mdx index 4c4ea403b9c6f..273c7b5c2eccf 100644 --- a/api_docs/investigate_app.mdx +++ b/api_docs/investigate_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/investigateApp title: "investigateApp" image: https://source.unsplash.com/400x175/?github description: API docs for the investigateApp plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'investigateApp'] --- import investigateAppObj from './investigate_app.devdocs.json'; diff --git a/api_docs/kbn_actions_types.mdx b/api_docs/kbn_actions_types.mdx index 1174eda1f685b..4336fc9c7886e 100644 --- a/api_docs/kbn_actions_types.mdx +++ b/api_docs/kbn_actions_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-actions-types title: "@kbn/actions-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/actions-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/actions-types'] --- import kbnActionsTypesObj from './kbn_actions_types.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant.mdx b/api_docs/kbn_ai_assistant.mdx index edb2907600e0c..f595e55ae4374 100644 --- a/api_docs/kbn_ai_assistant.mdx +++ b/api_docs/kbn_ai_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant title: "@kbn/ai-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant'] --- import kbnAiAssistantObj from './kbn_ai_assistant.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_common.mdx b/api_docs/kbn_ai_assistant_common.mdx index 152c159879560..83221def08529 100644 --- a/api_docs/kbn_ai_assistant_common.mdx +++ b/api_docs/kbn_ai_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-common title: "@kbn/ai-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-common'] --- import kbnAiAssistantCommonObj from './kbn_ai_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_ai_assistant_icon.mdx b/api_docs/kbn_ai_assistant_icon.mdx index 9355045c41f12..bf649f8f7e501 100644 --- a/api_docs/kbn_ai_assistant_icon.mdx +++ b/api_docs/kbn_ai_assistant_icon.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ai-assistant-icon title: "@kbn/ai-assistant-icon" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ai-assistant-icon plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ai-assistant-icon'] --- import kbnAiAssistantIconObj from './kbn_ai_assistant_icon.devdocs.json'; diff --git a/api_docs/kbn_aiops_components.mdx b/api_docs/kbn_aiops_components.mdx index de7329bd41c70..39c7aedaeeae2 100644 --- a/api_docs/kbn_aiops_components.mdx +++ b/api_docs/kbn_aiops_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-components title: "@kbn/aiops-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-components'] --- import kbnAiopsComponentsObj from './kbn_aiops_components.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_pattern_analysis.mdx b/api_docs/kbn_aiops_log_pattern_analysis.mdx index dbd6265bd7d39..459fa7ea7aca5 100644 --- a/api_docs/kbn_aiops_log_pattern_analysis.mdx +++ b/api_docs/kbn_aiops_log_pattern_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-pattern-analysis title: "@kbn/aiops-log-pattern-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-pattern-analysis plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-pattern-analysis'] --- import kbnAiopsLogPatternAnalysisObj from './kbn_aiops_log_pattern_analysis.devdocs.json'; diff --git a/api_docs/kbn_aiops_log_rate_analysis.mdx b/api_docs/kbn_aiops_log_rate_analysis.mdx index da2b660f416e6..bf64dd142d661 100644 --- a/api_docs/kbn_aiops_log_rate_analysis.mdx +++ b/api_docs/kbn_aiops_log_rate_analysis.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-aiops-log-rate-analysis title: "@kbn/aiops-log-rate-analysis" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/aiops-log-rate-analysis plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/aiops-log-rate-analysis'] --- import kbnAiopsLogRateAnalysisObj from './kbn_aiops_log_rate_analysis.devdocs.json'; diff --git a/api_docs/kbn_alerting_api_integration_helpers.mdx b/api_docs/kbn_alerting_api_integration_helpers.mdx index edc9c12de5374..b0669df4ccc81 100644 --- a/api_docs/kbn_alerting_api_integration_helpers.mdx +++ b/api_docs/kbn_alerting_api_integration_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-api-integration-helpers title: "@kbn/alerting-api-integration-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-api-integration-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-api-integration-helpers'] --- import kbnAlertingApiIntegrationHelpersObj from './kbn_alerting_api_integration_helpers.devdocs.json'; diff --git a/api_docs/kbn_alerting_comparators.mdx b/api_docs/kbn_alerting_comparators.mdx index 55e94b50e2dea..7a151d9702a1d 100644 --- a/api_docs/kbn_alerting_comparators.mdx +++ b/api_docs/kbn_alerting_comparators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-comparators title: "@kbn/alerting-comparators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-comparators plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-comparators'] --- import kbnAlertingComparatorsObj from './kbn_alerting_comparators.devdocs.json'; diff --git a/api_docs/kbn_alerting_state_types.mdx b/api_docs/kbn_alerting_state_types.mdx index 2a56c4b820c97..5a38f02d769eb 100644 --- a/api_docs/kbn_alerting_state_types.mdx +++ b/api_docs/kbn_alerting_state_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-state-types title: "@kbn/alerting-state-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-state-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-state-types'] --- import kbnAlertingStateTypesObj from './kbn_alerting_state_types.devdocs.json'; diff --git a/api_docs/kbn_alerting_types.mdx b/api_docs/kbn_alerting_types.mdx index ce1819817fa78..1da3056dbcd60 100644 --- a/api_docs/kbn_alerting_types.mdx +++ b/api_docs/kbn_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerting-types title: "@kbn/alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerting-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerting-types'] --- import kbnAlertingTypesObj from './kbn_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_alerts_as_data_utils.mdx b/api_docs/kbn_alerts_as_data_utils.mdx index 8e1ad36523c4e..ba4ab73ff527b 100644 --- a/api_docs/kbn_alerts_as_data_utils.mdx +++ b/api_docs/kbn_alerts_as_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-as-data-utils title: "@kbn/alerts-as-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-as-data-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-as-data-utils'] --- import kbnAlertsAsDataUtilsObj from './kbn_alerts_as_data_utils.devdocs.json'; diff --git a/api_docs/kbn_alerts_grouping.mdx b/api_docs/kbn_alerts_grouping.mdx index 00879218963a1..a43461d53333c 100644 --- a/api_docs/kbn_alerts_grouping.mdx +++ b/api_docs/kbn_alerts_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-grouping title: "@kbn/alerts-grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-grouping plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-grouping'] --- import kbnAlertsGroupingObj from './kbn_alerts_grouping.devdocs.json'; diff --git a/api_docs/kbn_alerts_ui_shared.mdx b/api_docs/kbn_alerts_ui_shared.mdx index 4ee1f57f05454..4c63888e463ef 100644 --- a/api_docs/kbn_alerts_ui_shared.mdx +++ b/api_docs/kbn_alerts_ui_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-alerts-ui-shared title: "@kbn/alerts-ui-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/alerts-ui-shared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/alerts-ui-shared'] --- import kbnAlertsUiSharedObj from './kbn_alerts_ui_shared.devdocs.json'; diff --git a/api_docs/kbn_analytics.mdx b/api_docs/kbn_analytics.mdx index 335d312ef242d..4016c94510b0a 100644 --- a/api_docs/kbn_analytics.mdx +++ b/api_docs/kbn_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics title: "@kbn/analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics'] --- import kbnAnalyticsObj from './kbn_analytics.devdocs.json'; diff --git a/api_docs/kbn_analytics_collection_utils.mdx b/api_docs/kbn_analytics_collection_utils.mdx index 0f516268602d7..eadbcf764904c 100644 --- a/api_docs/kbn_analytics_collection_utils.mdx +++ b/api_docs/kbn_analytics_collection_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-analytics-collection-utils title: "@kbn/analytics-collection-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/analytics-collection-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/analytics-collection-utils'] --- import kbnAnalyticsCollectionUtilsObj from './kbn_analytics_collection_utils.devdocs.json'; diff --git a/api_docs/kbn_apm_config_loader.mdx b/api_docs/kbn_apm_config_loader.mdx index 8bc052254ec24..7cf577fdf7000 100644 --- a/api_docs/kbn_apm_config_loader.mdx +++ b/api_docs/kbn_apm_config_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-config-loader title: "@kbn/apm-config-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-config-loader plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-config-loader'] --- import kbnApmConfigLoaderObj from './kbn_apm_config_loader.devdocs.json'; diff --git a/api_docs/kbn_apm_data_view.mdx b/api_docs/kbn_apm_data_view.mdx index fb051978f767c..a1cb2d7e74594 100644 --- a/api_docs/kbn_apm_data_view.mdx +++ b/api_docs/kbn_apm_data_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-data-view title: "@kbn/apm-data-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-data-view plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-data-view'] --- import kbnApmDataViewObj from './kbn_apm_data_view.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace.mdx b/api_docs/kbn_apm_synthtrace.mdx index 1fd4be6589dbb..98635241788cd 100644 --- a/api_docs/kbn_apm_synthtrace.mdx +++ b/api_docs/kbn_apm_synthtrace.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace title: "@kbn/apm-synthtrace" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace'] --- import kbnApmSynthtraceObj from './kbn_apm_synthtrace.devdocs.json'; diff --git a/api_docs/kbn_apm_synthtrace_client.mdx b/api_docs/kbn_apm_synthtrace_client.mdx index ed3398de79077..3a50c43315f94 100644 --- a/api_docs/kbn_apm_synthtrace_client.mdx +++ b/api_docs/kbn_apm_synthtrace_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-synthtrace-client title: "@kbn/apm-synthtrace-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-synthtrace-client plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-synthtrace-client'] --- import kbnApmSynthtraceClientObj from './kbn_apm_synthtrace_client.devdocs.json'; diff --git a/api_docs/kbn_apm_types.mdx b/api_docs/kbn_apm_types.mdx index 3c17b4956960d..d7835175a00b5 100644 --- a/api_docs/kbn_apm_types.mdx +++ b/api_docs/kbn_apm_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-types title: "@kbn/apm-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-types'] --- import kbnApmTypesObj from './kbn_apm_types.devdocs.json'; diff --git a/api_docs/kbn_apm_utils.mdx b/api_docs/kbn_apm_utils.mdx index 29d9260127d1d..35b0972664709 100644 --- a/api_docs/kbn_apm_utils.mdx +++ b/api_docs/kbn_apm_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-apm-utils title: "@kbn/apm-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/apm-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/apm-utils'] --- import kbnApmUtilsObj from './kbn_apm_utils.devdocs.json'; diff --git a/api_docs/kbn_avc_banner.mdx b/api_docs/kbn_avc_banner.mdx index e923930b87787..1607ea732af35 100644 --- a/api_docs/kbn_avc_banner.mdx +++ b/api_docs/kbn_avc_banner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-avc-banner title: "@kbn/avc-banner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/avc-banner plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/avc-banner'] --- import kbnAvcBannerObj from './kbn_avc_banner.devdocs.json'; diff --git a/api_docs/kbn_axe_config.mdx b/api_docs/kbn_axe_config.mdx index 28b610fa20e1b..d3ba46c669ea3 100644 --- a/api_docs/kbn_axe_config.mdx +++ b/api_docs/kbn_axe_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-axe-config title: "@kbn/axe-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/axe-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/axe-config'] --- import kbnAxeConfigObj from './kbn_axe_config.devdocs.json'; diff --git a/api_docs/kbn_calculate_auto.mdx b/api_docs/kbn_calculate_auto.mdx index 436ceaf684322..66577c3768917 100644 --- a/api_docs/kbn_calculate_auto.mdx +++ b/api_docs/kbn_calculate_auto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-auto title: "@kbn/calculate-auto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-auto plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-auto'] --- import kbnCalculateAutoObj from './kbn_calculate_auto.devdocs.json'; diff --git a/api_docs/kbn_calculate_width_from_char_count.mdx b/api_docs/kbn_calculate_width_from_char_count.mdx index 17a091efbd6b4..8c615a7bcb70d 100644 --- a/api_docs/kbn_calculate_width_from_char_count.mdx +++ b/api_docs/kbn_calculate_width_from_char_count.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-calculate-width-from-char-count title: "@kbn/calculate-width-from-char-count" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/calculate-width-from-char-count plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/calculate-width-from-char-count'] --- import kbnCalculateWidthFromCharCountObj from './kbn_calculate_width_from_char_count.devdocs.json'; diff --git a/api_docs/kbn_cases_components.mdx b/api_docs/kbn_cases_components.mdx index 6f34875b175ec..be2d0cd42dd5f 100644 --- a/api_docs/kbn_cases_components.mdx +++ b/api_docs/kbn_cases_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cases-components title: "@kbn/cases-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cases-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cases-components'] --- import kbnCasesComponentsObj from './kbn_cases_components.devdocs.json'; diff --git a/api_docs/kbn_cbor.mdx b/api_docs/kbn_cbor.mdx index 0a2c5167278ca..d1b42da94a390 100644 --- a/api_docs/kbn_cbor.mdx +++ b/api_docs/kbn_cbor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cbor title: "@kbn/cbor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cbor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cbor'] --- import kbnCborObj from './kbn_cbor.devdocs.json'; diff --git a/api_docs/kbn_cell_actions.mdx b/api_docs/kbn_cell_actions.mdx index 043f1738a6234..e016ad7d644d1 100644 --- a/api_docs/kbn_cell_actions.mdx +++ b/api_docs/kbn_cell_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cell-actions title: "@kbn/cell-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cell-actions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cell-actions'] --- import kbnCellActionsObj from './kbn_cell_actions.devdocs.json'; diff --git a/api_docs/kbn_chart_expressions_common.mdx b/api_docs/kbn_chart_expressions_common.mdx index bdc395db63bb1..64da2df13c84b 100644 --- a/api_docs/kbn_chart_expressions_common.mdx +++ b/api_docs/kbn_chart_expressions_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-expressions-common title: "@kbn/chart-expressions-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-expressions-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-expressions-common'] --- import kbnChartExpressionsCommonObj from './kbn_chart_expressions_common.devdocs.json'; diff --git a/api_docs/kbn_chart_icons.mdx b/api_docs/kbn_chart_icons.mdx index 06dcd82336179..5c5c6fb3a4ab7 100644 --- a/api_docs/kbn_chart_icons.mdx +++ b/api_docs/kbn_chart_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-chart-icons title: "@kbn/chart-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/chart-icons plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/chart-icons'] --- import kbnChartIconsObj from './kbn_chart_icons.devdocs.json'; diff --git a/api_docs/kbn_charts_theme.mdx b/api_docs/kbn_charts_theme.mdx index d5893a5647b7d..ad0203d2a76c2 100644 --- a/api_docs/kbn_charts_theme.mdx +++ b/api_docs/kbn_charts_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-charts-theme title: "@kbn/charts-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/charts-theme plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/charts-theme'] --- import kbnChartsThemeObj from './kbn_charts_theme.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_core.mdx b/api_docs/kbn_ci_stats_core.mdx index fda49ea5775f0..93d3b48cb56df 100644 --- a/api_docs/kbn_ci_stats_core.mdx +++ b/api_docs/kbn_ci_stats_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-core title: "@kbn/ci-stats-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-core plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-core'] --- import kbnCiStatsCoreObj from './kbn_ci_stats_core.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_performance_metrics.mdx b/api_docs/kbn_ci_stats_performance_metrics.mdx index 5692fa4897584..6af5252e1a396 100644 --- a/api_docs/kbn_ci_stats_performance_metrics.mdx +++ b/api_docs/kbn_ci_stats_performance_metrics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-performance-metrics title: "@kbn/ci-stats-performance-metrics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-performance-metrics plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-performance-metrics'] --- import kbnCiStatsPerformanceMetricsObj from './kbn_ci_stats_performance_metrics.devdocs.json'; diff --git a/api_docs/kbn_ci_stats_reporter.mdx b/api_docs/kbn_ci_stats_reporter.mdx index 9d37567497756..3d79f836dc30f 100644 --- a/api_docs/kbn_ci_stats_reporter.mdx +++ b/api_docs/kbn_ci_stats_reporter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ci-stats-reporter title: "@kbn/ci-stats-reporter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ci-stats-reporter plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ci-stats-reporter'] --- import kbnCiStatsReporterObj from './kbn_ci_stats_reporter.devdocs.json'; diff --git a/api_docs/kbn_cli_dev_mode.mdx b/api_docs/kbn_cli_dev_mode.mdx index 6d4adb6932444..13fde7e4c5ce1 100644 --- a/api_docs/kbn_cli_dev_mode.mdx +++ b/api_docs/kbn_cli_dev_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cli-dev-mode title: "@kbn/cli-dev-mode" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cli-dev-mode plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cli-dev-mode'] --- import kbnCliDevModeObj from './kbn_cli_dev_mode.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture.mdx b/api_docs/kbn_cloud_security_posture.mdx index 5338d93a63a1a..ec78cb49d985a 100644 --- a/api_docs/kbn_cloud_security_posture.mdx +++ b/api_docs/kbn_cloud_security_posture.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture title: "@kbn/cloud-security-posture" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture'] --- import kbnCloudSecurityPostureObj from './kbn_cloud_security_posture.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_common.mdx b/api_docs/kbn_cloud_security_posture_common.mdx index 94d72eb490db1..8313281a89a6d 100644 --- a/api_docs/kbn_cloud_security_posture_common.mdx +++ b/api_docs/kbn_cloud_security_posture_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-common title: "@kbn/cloud-security-posture-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-common'] --- import kbnCloudSecurityPostureCommonObj from './kbn_cloud_security_posture_common.devdocs.json'; diff --git a/api_docs/kbn_cloud_security_posture_graph.mdx b/api_docs/kbn_cloud_security_posture_graph.mdx index f9af4c49f1387..f3d24d8881eb2 100644 --- a/api_docs/kbn_cloud_security_posture_graph.mdx +++ b/api_docs/kbn_cloud_security_posture_graph.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cloud-security-posture-graph title: "@kbn/cloud-security-posture-graph" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cloud-security-posture-graph plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cloud-security-posture-graph'] --- import kbnCloudSecurityPostureGraphObj from './kbn_cloud_security_posture_graph.devdocs.json'; diff --git a/api_docs/kbn_code_editor.mdx b/api_docs/kbn_code_editor.mdx index cb33493fcb4d0..6aac5bd525904 100644 --- a/api_docs/kbn_code_editor.mdx +++ b/api_docs/kbn_code_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor title: "@kbn/code-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor'] --- import kbnCodeEditorObj from './kbn_code_editor.devdocs.json'; diff --git a/api_docs/kbn_code_editor_mock.mdx b/api_docs/kbn_code_editor_mock.mdx index 24d0ab7cdcde5..55da47593186c 100644 --- a/api_docs/kbn_code_editor_mock.mdx +++ b/api_docs/kbn_code_editor_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-editor-mock title: "@kbn/code-editor-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-editor-mock plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-editor-mock'] --- import kbnCodeEditorMockObj from './kbn_code_editor_mock.devdocs.json'; diff --git a/api_docs/kbn_code_owners.mdx b/api_docs/kbn_code_owners.mdx index 4c5ae22f822ac..6612633d12363 100644 --- a/api_docs/kbn_code_owners.mdx +++ b/api_docs/kbn_code_owners.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-code-owners title: "@kbn/code-owners" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/code-owners plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/code-owners'] --- import kbnCodeOwnersObj from './kbn_code_owners.devdocs.json'; diff --git a/api_docs/kbn_coloring.mdx b/api_docs/kbn_coloring.mdx index 2ee002e2829e1..8687db65f9325 100644 --- a/api_docs/kbn_coloring.mdx +++ b/api_docs/kbn_coloring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-coloring title: "@kbn/coloring" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/coloring plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/coloring'] --- import kbnColoringObj from './kbn_coloring.devdocs.json'; diff --git a/api_docs/kbn_config.mdx b/api_docs/kbn_config.mdx index e920d1eef70cc..0a5354b007be6 100644 --- a/api_docs/kbn_config.mdx +++ b/api_docs/kbn_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config title: "@kbn/config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config'] --- import kbnConfigObj from './kbn_config.devdocs.json'; diff --git a/api_docs/kbn_config_mocks.mdx b/api_docs/kbn_config_mocks.mdx index 399fc05adfe2a..c916022f2d6c4 100644 --- a/api_docs/kbn_config_mocks.mdx +++ b/api_docs/kbn_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-mocks title: "@kbn/config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-mocks'] --- import kbnConfigMocksObj from './kbn_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_config_schema.mdx b/api_docs/kbn_config_schema.mdx index 9bf5a8181986f..a8043488b8b0b 100644 --- a/api_docs/kbn_config_schema.mdx +++ b/api_docs/kbn_config_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-config-schema title: "@kbn/config-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/config-schema plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/config-schema'] --- import kbnConfigSchemaObj from './kbn_config_schema.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_editor.mdx b/api_docs/kbn_content_management_content_editor.mdx index 34324978dcf7f..d9f00055c7de8 100644 --- a/api_docs/kbn_content_management_content_editor.mdx +++ b/api_docs/kbn_content_management_content_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-editor title: "@kbn/content-management-content-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-editor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-editor'] --- import kbnContentManagementContentEditorObj from './kbn_content_management_content_editor.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_public.mdx b/api_docs/kbn_content_management_content_insights_public.mdx index 5deefb8409571..42c23a23588da 100644 --- a/api_docs/kbn_content_management_content_insights_public.mdx +++ b/api_docs/kbn_content_management_content_insights_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-public title: "@kbn/content-management-content-insights-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-public plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-public'] --- import kbnContentManagementContentInsightsPublicObj from './kbn_content_management_content_insights_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_content_insights_server.mdx b/api_docs/kbn_content_management_content_insights_server.mdx index a6611db9e7ab7..8e53583612e25 100644 --- a/api_docs/kbn_content_management_content_insights_server.mdx +++ b/api_docs/kbn_content_management_content_insights_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-content-insights-server title: "@kbn/content-management-content-insights-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-content-insights-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-content-insights-server'] --- import kbnContentManagementContentInsightsServerObj from './kbn_content_management_content_insights_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_common.mdx b/api_docs/kbn_content_management_favorites_common.mdx index 300acefce8e92..f21ea8faa17a6 100644 --- a/api_docs/kbn_content_management_favorites_common.mdx +++ b/api_docs/kbn_content_management_favorites_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-common title: "@kbn/content-management-favorites-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-common'] --- import kbnContentManagementFavoritesCommonObj from './kbn_content_management_favorites_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_public.mdx b/api_docs/kbn_content_management_favorites_public.mdx index 1006263ca0620..406e9844c4fe9 100644 --- a/api_docs/kbn_content_management_favorites_public.mdx +++ b/api_docs/kbn_content_management_favorites_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-public title: "@kbn/content-management-favorites-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-public plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-public'] --- import kbnContentManagementFavoritesPublicObj from './kbn_content_management_favorites_public.devdocs.json'; diff --git a/api_docs/kbn_content_management_favorites_server.mdx b/api_docs/kbn_content_management_favorites_server.mdx index 020a4d47c34ea..814a73475d903 100644 --- a/api_docs/kbn_content_management_favorites_server.mdx +++ b/api_docs/kbn_content_management_favorites_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-favorites-server title: "@kbn/content-management-favorites-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-favorites-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-favorites-server'] --- import kbnContentManagementFavoritesServerObj from './kbn_content_management_favorites_server.devdocs.json'; diff --git a/api_docs/kbn_content_management_tabbed_table_list_view.mdx b/api_docs/kbn_content_management_tabbed_table_list_view.mdx index 22c136117608f..5348663b54b94 100644 --- a/api_docs/kbn_content_management_tabbed_table_list_view.mdx +++ b/api_docs/kbn_content_management_tabbed_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-tabbed-table-list-view title: "@kbn/content-management-tabbed-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-tabbed-table-list-view plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-tabbed-table-list-view'] --- import kbnContentManagementTabbedTableListViewObj from './kbn_content_management_tabbed_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view.mdx b/api_docs/kbn_content_management_table_list_view.mdx index 9bee9fd32629c..6b33222b72d95 100644 --- a/api_docs/kbn_content_management_table_list_view.mdx +++ b/api_docs/kbn_content_management_table_list_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view title: "@kbn/content-management-table-list-view" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view'] --- import kbnContentManagementTableListViewObj from './kbn_content_management_table_list_view.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_common.mdx b/api_docs/kbn_content_management_table_list_view_common.mdx index d8295b30b60b3..6c9ad53711a54 100644 --- a/api_docs/kbn_content_management_table_list_view_common.mdx +++ b/api_docs/kbn_content_management_table_list_view_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-common title: "@kbn/content-management-table-list-view-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-common'] --- import kbnContentManagementTableListViewCommonObj from './kbn_content_management_table_list_view_common.devdocs.json'; diff --git a/api_docs/kbn_content_management_table_list_view_table.mdx b/api_docs/kbn_content_management_table_list_view_table.mdx index cb971a03c242a..7c959ed5c0daa 100644 --- a/api_docs/kbn_content_management_table_list_view_table.mdx +++ b/api_docs/kbn_content_management_table_list_view_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-table-list-view-table title: "@kbn/content-management-table-list-view-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-table-list-view-table plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-table-list-view-table'] --- import kbnContentManagementTableListViewTableObj from './kbn_content_management_table_list_view_table.devdocs.json'; diff --git a/api_docs/kbn_content_management_user_profiles.mdx b/api_docs/kbn_content_management_user_profiles.mdx index f803a3fba8a6a..911b38cae8b39 100644 --- a/api_docs/kbn_content_management_user_profiles.mdx +++ b/api_docs/kbn_content_management_user_profiles.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-user-profiles title: "@kbn/content-management-user-profiles" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-user-profiles plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-user-profiles'] --- import kbnContentManagementUserProfilesObj from './kbn_content_management_user_profiles.devdocs.json'; diff --git a/api_docs/kbn_content_management_utils.mdx b/api_docs/kbn_content_management_utils.mdx index 676066efe4f70..835715e318638 100644 --- a/api_docs/kbn_content_management_utils.mdx +++ b/api_docs/kbn_content_management_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-content-management-utils title: "@kbn/content-management-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/content-management-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/content-management-utils'] --- import kbnContentManagementUtilsObj from './kbn_content_management_utils.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser.mdx b/api_docs/kbn_core_analytics_browser.mdx index 8fc76d78947c1..73faa684de805 100644 --- a/api_docs/kbn_core_analytics_browser.mdx +++ b/api_docs/kbn_core_analytics_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser title: "@kbn/core-analytics-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser'] --- import kbnCoreAnalyticsBrowserObj from './kbn_core_analytics_browser.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_internal.mdx b/api_docs/kbn_core_analytics_browser_internal.mdx index 7dc99ae4c235d..89781356e86e3 100644 --- a/api_docs/kbn_core_analytics_browser_internal.mdx +++ b/api_docs/kbn_core_analytics_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-internal title: "@kbn/core-analytics-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-internal'] --- import kbnCoreAnalyticsBrowserInternalObj from './kbn_core_analytics_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_browser_mocks.mdx b/api_docs/kbn_core_analytics_browser_mocks.mdx index cc61e457bf6fb..8e8e36e97643f 100644 --- a/api_docs/kbn_core_analytics_browser_mocks.mdx +++ b/api_docs/kbn_core_analytics_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-browser-mocks title: "@kbn/core-analytics-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-browser-mocks'] --- import kbnCoreAnalyticsBrowserMocksObj from './kbn_core_analytics_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server.mdx b/api_docs/kbn_core_analytics_server.mdx index f303cc15beb13..e849aa44b971d 100644 --- a/api_docs/kbn_core_analytics_server.mdx +++ b/api_docs/kbn_core_analytics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server title: "@kbn/core-analytics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server'] --- import kbnCoreAnalyticsServerObj from './kbn_core_analytics_server.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_internal.mdx b/api_docs/kbn_core_analytics_server_internal.mdx index 29b06f2d950ac..e847a624bc14c 100644 --- a/api_docs/kbn_core_analytics_server_internal.mdx +++ b/api_docs/kbn_core_analytics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-internal title: "@kbn/core-analytics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-internal'] --- import kbnCoreAnalyticsServerInternalObj from './kbn_core_analytics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_analytics_server_mocks.mdx b/api_docs/kbn_core_analytics_server_mocks.mdx index 420d2a77b08e7..8e65d32a71af8 100644 --- a/api_docs/kbn_core_analytics_server_mocks.mdx +++ b/api_docs/kbn_core_analytics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-analytics-server-mocks title: "@kbn/core-analytics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-analytics-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-analytics-server-mocks'] --- import kbnCoreAnalyticsServerMocksObj from './kbn_core_analytics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser.mdx b/api_docs/kbn_core_application_browser.mdx index 625aaec8b9ff2..bebcd9b73a346 100644 --- a/api_docs/kbn_core_application_browser.mdx +++ b/api_docs/kbn_core_application_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser title: "@kbn/core-application-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser'] --- import kbnCoreApplicationBrowserObj from './kbn_core_application_browser.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_internal.mdx b/api_docs/kbn_core_application_browser_internal.mdx index 0ee151e985f09..4b7084e0a5632 100644 --- a/api_docs/kbn_core_application_browser_internal.mdx +++ b/api_docs/kbn_core_application_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-internal title: "@kbn/core-application-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-internal'] --- import kbnCoreApplicationBrowserInternalObj from './kbn_core_application_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_application_browser_mocks.mdx b/api_docs/kbn_core_application_browser_mocks.mdx index 065b74351bccc..5409dc288b361 100644 --- a/api_docs/kbn_core_application_browser_mocks.mdx +++ b/api_docs/kbn_core_application_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-browser-mocks title: "@kbn/core-application-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-browser-mocks'] --- import kbnCoreApplicationBrowserMocksObj from './kbn_core_application_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_application_common.mdx b/api_docs/kbn_core_application_common.mdx index 10d17a48673fd..0bd7be6d65098 100644 --- a/api_docs/kbn_core_application_common.mdx +++ b/api_docs/kbn_core_application_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-application-common title: "@kbn/core-application-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-application-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-application-common'] --- import kbnCoreApplicationCommonObj from './kbn_core_application_common.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_internal.mdx b/api_docs/kbn_core_apps_browser_internal.mdx index 54c4dd1272735..147fe452118bb 100644 --- a/api_docs/kbn_core_apps_browser_internal.mdx +++ b/api_docs/kbn_core_apps_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-internal title: "@kbn/core-apps-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-internal'] --- import kbnCoreAppsBrowserInternalObj from './kbn_core_apps_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_apps_browser_mocks.mdx b/api_docs/kbn_core_apps_browser_mocks.mdx index 361f7817ae604..7ab9a763223af 100644 --- a/api_docs/kbn_core_apps_browser_mocks.mdx +++ b/api_docs/kbn_core_apps_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-browser-mocks title: "@kbn/core-apps-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-browser-mocks'] --- import kbnCoreAppsBrowserMocksObj from './kbn_core_apps_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_apps_server_internal.mdx b/api_docs/kbn_core_apps_server_internal.mdx index 5e0226c95f2ec..26f54ad6b8d1f 100644 --- a/api_docs/kbn_core_apps_server_internal.mdx +++ b/api_docs/kbn_core_apps_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-apps-server-internal title: "@kbn/core-apps-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-apps-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-apps-server-internal'] --- import kbnCoreAppsServerInternalObj from './kbn_core_apps_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_browser_mocks.mdx b/api_docs/kbn_core_base_browser_mocks.mdx index d61a3c8ec9dc5..23cc5a1b9217a 100644 --- a/api_docs/kbn_core_base_browser_mocks.mdx +++ b/api_docs/kbn_core_base_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-browser-mocks title: "@kbn/core-base-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-browser-mocks'] --- import kbnCoreBaseBrowserMocksObj from './kbn_core_base_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_base_common.mdx b/api_docs/kbn_core_base_common.mdx index 6c3925274843a..81ed078d88de7 100644 --- a/api_docs/kbn_core_base_common.mdx +++ b/api_docs/kbn_core_base_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-common title: "@kbn/core-base-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-common'] --- import kbnCoreBaseCommonObj from './kbn_core_base_common.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_internal.mdx b/api_docs/kbn_core_base_server_internal.mdx index 6e699db84337a..487c3974ff384 100644 --- a/api_docs/kbn_core_base_server_internal.mdx +++ b/api_docs/kbn_core_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-internal title: "@kbn/core-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-internal'] --- import kbnCoreBaseServerInternalObj from './kbn_core_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_base_server_mocks.mdx b/api_docs/kbn_core_base_server_mocks.mdx index 428f6a0eec777..cf0a739830128 100644 --- a/api_docs/kbn_core_base_server_mocks.mdx +++ b/api_docs/kbn_core_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-base-server-mocks title: "@kbn/core-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-base-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-base-server-mocks'] --- import kbnCoreBaseServerMocksObj from './kbn_core_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_browser_mocks.mdx b/api_docs/kbn_core_capabilities_browser_mocks.mdx index dc426342a0efd..6615294e0b10c 100644 --- a/api_docs/kbn_core_capabilities_browser_mocks.mdx +++ b/api_docs/kbn_core_capabilities_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-browser-mocks title: "@kbn/core-capabilities-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-browser-mocks'] --- import kbnCoreCapabilitiesBrowserMocksObj from './kbn_core_capabilities_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_common.mdx b/api_docs/kbn_core_capabilities_common.mdx index 5d9f2d55f90bb..401b4538a70ac 100644 --- a/api_docs/kbn_core_capabilities_common.mdx +++ b/api_docs/kbn_core_capabilities_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-common title: "@kbn/core-capabilities-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-common'] --- import kbnCoreCapabilitiesCommonObj from './kbn_core_capabilities_common.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server.mdx b/api_docs/kbn_core_capabilities_server.mdx index 1e12eac392f45..7192e6ccd8c32 100644 --- a/api_docs/kbn_core_capabilities_server.mdx +++ b/api_docs/kbn_core_capabilities_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server title: "@kbn/core-capabilities-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server'] --- import kbnCoreCapabilitiesServerObj from './kbn_core_capabilities_server.devdocs.json'; diff --git a/api_docs/kbn_core_capabilities_server_mocks.mdx b/api_docs/kbn_core_capabilities_server_mocks.mdx index 434c181ccefed..be2dbf91889cc 100644 --- a/api_docs/kbn_core_capabilities_server_mocks.mdx +++ b/api_docs/kbn_core_capabilities_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-capabilities-server-mocks title: "@kbn/core-capabilities-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-capabilities-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-capabilities-server-mocks'] --- import kbnCoreCapabilitiesServerMocksObj from './kbn_core_capabilities_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser.mdx b/api_docs/kbn_core_chrome_browser.mdx index 09dd009b34e6e..add7843a1aed1 100644 --- a/api_docs/kbn_core_chrome_browser.mdx +++ b/api_docs/kbn_core_chrome_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser title: "@kbn/core-chrome-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser'] --- import kbnCoreChromeBrowserObj from './kbn_core_chrome_browser.devdocs.json'; diff --git a/api_docs/kbn_core_chrome_browser_mocks.mdx b/api_docs/kbn_core_chrome_browser_mocks.mdx index 1360648aa6a65..a2c8323765b59 100644 --- a/api_docs/kbn_core_chrome_browser_mocks.mdx +++ b/api_docs/kbn_core_chrome_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-chrome-browser-mocks title: "@kbn/core-chrome-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-chrome-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-chrome-browser-mocks'] --- import kbnCoreChromeBrowserMocksObj from './kbn_core_chrome_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_config_server_internal.mdx b/api_docs/kbn_core_config_server_internal.mdx index 927f74e095b5d..8dc75289aa61a 100644 --- a/api_docs/kbn_core_config_server_internal.mdx +++ b/api_docs/kbn_core_config_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-config-server-internal title: "@kbn/core-config-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-config-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-config-server-internal'] --- import kbnCoreConfigServerInternalObj from './kbn_core_config_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser.mdx b/api_docs/kbn_core_custom_branding_browser.mdx index 278fcaf69b786..c603823e318fc 100644 --- a/api_docs/kbn_core_custom_branding_browser.mdx +++ b/api_docs/kbn_core_custom_branding_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser title: "@kbn/core-custom-branding-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser'] --- import kbnCoreCustomBrandingBrowserObj from './kbn_core_custom_branding_browser.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_internal.mdx b/api_docs/kbn_core_custom_branding_browser_internal.mdx index 30531b4b85a00..99ee2a38aef9f 100644 --- a/api_docs/kbn_core_custom_branding_browser_internal.mdx +++ b/api_docs/kbn_core_custom_branding_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-internal title: "@kbn/core-custom-branding-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-internal'] --- import kbnCoreCustomBrandingBrowserInternalObj from './kbn_core_custom_branding_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_browser_mocks.mdx b/api_docs/kbn_core_custom_branding_browser_mocks.mdx index 39c3f7cd666ed..494ba7f1332b9 100644 --- a/api_docs/kbn_core_custom_branding_browser_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-browser-mocks title: "@kbn/core-custom-branding-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-browser-mocks'] --- import kbnCoreCustomBrandingBrowserMocksObj from './kbn_core_custom_branding_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_common.mdx b/api_docs/kbn_core_custom_branding_common.mdx index bfed72a9cf637..f86b14789b464 100644 --- a/api_docs/kbn_core_custom_branding_common.mdx +++ b/api_docs/kbn_core_custom_branding_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-common title: "@kbn/core-custom-branding-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-common'] --- import kbnCoreCustomBrandingCommonObj from './kbn_core_custom_branding_common.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server.mdx b/api_docs/kbn_core_custom_branding_server.mdx index f919c6e19748d..7c3b2a7728530 100644 --- a/api_docs/kbn_core_custom_branding_server.mdx +++ b/api_docs/kbn_core_custom_branding_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server title: "@kbn/core-custom-branding-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server'] --- import kbnCoreCustomBrandingServerObj from './kbn_core_custom_branding_server.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_internal.mdx b/api_docs/kbn_core_custom_branding_server_internal.mdx index a834c5ab004ed..c0e2816b506e2 100644 --- a/api_docs/kbn_core_custom_branding_server_internal.mdx +++ b/api_docs/kbn_core_custom_branding_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-internal title: "@kbn/core-custom-branding-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-internal'] --- import kbnCoreCustomBrandingServerInternalObj from './kbn_core_custom_branding_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_custom_branding_server_mocks.mdx b/api_docs/kbn_core_custom_branding_server_mocks.mdx index e70010588d246..595af1123d678 100644 --- a/api_docs/kbn_core_custom_branding_server_mocks.mdx +++ b/api_docs/kbn_core_custom_branding_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-custom-branding-server-mocks title: "@kbn/core-custom-branding-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-custom-branding-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-custom-branding-server-mocks'] --- import kbnCoreCustomBrandingServerMocksObj from './kbn_core_custom_branding_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser.mdx b/api_docs/kbn_core_deprecations_browser.mdx index 99de80cccad29..2aec5d9315b5e 100644 --- a/api_docs/kbn_core_deprecations_browser.mdx +++ b/api_docs/kbn_core_deprecations_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser title: "@kbn/core-deprecations-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser'] --- import kbnCoreDeprecationsBrowserObj from './kbn_core_deprecations_browser.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_internal.mdx b/api_docs/kbn_core_deprecations_browser_internal.mdx index 8d9aa3ef041b2..b6197812680da 100644 --- a/api_docs/kbn_core_deprecations_browser_internal.mdx +++ b/api_docs/kbn_core_deprecations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-internal title: "@kbn/core-deprecations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-internal'] --- import kbnCoreDeprecationsBrowserInternalObj from './kbn_core_deprecations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_browser_mocks.mdx b/api_docs/kbn_core_deprecations_browser_mocks.mdx index 2134c48b829ef..55e21dd7861f2 100644 --- a/api_docs/kbn_core_deprecations_browser_mocks.mdx +++ b/api_docs/kbn_core_deprecations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-browser-mocks title: "@kbn/core-deprecations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-browser-mocks'] --- import kbnCoreDeprecationsBrowserMocksObj from './kbn_core_deprecations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_common.mdx b/api_docs/kbn_core_deprecations_common.mdx index cd309a5028f7e..85f1875db85cb 100644 --- a/api_docs/kbn_core_deprecations_common.mdx +++ b/api_docs/kbn_core_deprecations_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-common title: "@kbn/core-deprecations-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-common'] --- import kbnCoreDeprecationsCommonObj from './kbn_core_deprecations_common.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server.mdx b/api_docs/kbn_core_deprecations_server.mdx index 597d858641bc0..c1abed05d6d24 100644 --- a/api_docs/kbn_core_deprecations_server.mdx +++ b/api_docs/kbn_core_deprecations_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server title: "@kbn/core-deprecations-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server'] --- import kbnCoreDeprecationsServerObj from './kbn_core_deprecations_server.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_internal.mdx b/api_docs/kbn_core_deprecations_server_internal.mdx index a1b142c1adeef..d10a8a12ba97e 100644 --- a/api_docs/kbn_core_deprecations_server_internal.mdx +++ b/api_docs/kbn_core_deprecations_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-internal title: "@kbn/core-deprecations-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-internal'] --- import kbnCoreDeprecationsServerInternalObj from './kbn_core_deprecations_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_deprecations_server_mocks.mdx b/api_docs/kbn_core_deprecations_server_mocks.mdx index 7efda4ea0d938..19a3c30fef06c 100644 --- a/api_docs/kbn_core_deprecations_server_mocks.mdx +++ b/api_docs/kbn_core_deprecations_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-deprecations-server-mocks title: "@kbn/core-deprecations-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-deprecations-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-deprecations-server-mocks'] --- import kbnCoreDeprecationsServerMocksObj from './kbn_core_deprecations_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser.mdx b/api_docs/kbn_core_doc_links_browser.mdx index c442e75d5a9f7..2f82ccda02459 100644 --- a/api_docs/kbn_core_doc_links_browser.mdx +++ b/api_docs/kbn_core_doc_links_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser title: "@kbn/core-doc-links-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser'] --- import kbnCoreDocLinksBrowserObj from './kbn_core_doc_links_browser.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_browser_mocks.mdx b/api_docs/kbn_core_doc_links_browser_mocks.mdx index 82754eab8a5a0..015ca2e919ebf 100644 --- a/api_docs/kbn_core_doc_links_browser_mocks.mdx +++ b/api_docs/kbn_core_doc_links_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-browser-mocks title: "@kbn/core-doc-links-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-browser-mocks'] --- import kbnCoreDocLinksBrowserMocksObj from './kbn_core_doc_links_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server.mdx b/api_docs/kbn_core_doc_links_server.mdx index d62d2522dabb2..71dbdfc00948b 100644 --- a/api_docs/kbn_core_doc_links_server.mdx +++ b/api_docs/kbn_core_doc_links_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server title: "@kbn/core-doc-links-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server'] --- import kbnCoreDocLinksServerObj from './kbn_core_doc_links_server.devdocs.json'; diff --git a/api_docs/kbn_core_doc_links_server_mocks.mdx b/api_docs/kbn_core_doc_links_server_mocks.mdx index d34dba687bf39..d9733e0ecd426 100644 --- a/api_docs/kbn_core_doc_links_server_mocks.mdx +++ b/api_docs/kbn_core_doc_links_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-doc-links-server-mocks title: "@kbn/core-doc-links-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-doc-links-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-doc-links-server-mocks'] --- import kbnCoreDocLinksServerMocksObj from './kbn_core_doc_links_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx index 36d48610a563b..cb39dfad9abeb 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-internal title: "@kbn/core-elasticsearch-client-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-internal'] --- import kbnCoreElasticsearchClientServerInternalObj from './kbn_core_elasticsearch_client_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx index c1e1eb7dee40f..7165a2beb4bda 100644 --- a/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_client_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-client-server-mocks title: "@kbn/core-elasticsearch-client-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-client-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-client-server-mocks'] --- import kbnCoreElasticsearchClientServerMocksObj from './kbn_core_elasticsearch_client_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server.mdx b/api_docs/kbn_core_elasticsearch_server.mdx index e086f3c90c4ed..11485e8f5b5c4 100644 --- a/api_docs/kbn_core_elasticsearch_server.mdx +++ b/api_docs/kbn_core_elasticsearch_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server title: "@kbn/core-elasticsearch-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server'] --- import kbnCoreElasticsearchServerObj from './kbn_core_elasticsearch_server.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_internal.mdx b/api_docs/kbn_core_elasticsearch_server_internal.mdx index ec73128e3d9a9..7d7a697d67e7c 100644 --- a/api_docs/kbn_core_elasticsearch_server_internal.mdx +++ b/api_docs/kbn_core_elasticsearch_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-internal title: "@kbn/core-elasticsearch-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-internal'] --- import kbnCoreElasticsearchServerInternalObj from './kbn_core_elasticsearch_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_elasticsearch_server_mocks.mdx b/api_docs/kbn_core_elasticsearch_server_mocks.mdx index a1d3cd346d46d..6893550c71c65 100644 --- a/api_docs/kbn_core_elasticsearch_server_mocks.mdx +++ b/api_docs/kbn_core_elasticsearch_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-elasticsearch-server-mocks title: "@kbn/core-elasticsearch-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-elasticsearch-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-elasticsearch-server-mocks'] --- import kbnCoreElasticsearchServerMocksObj from './kbn_core_elasticsearch_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_internal.mdx b/api_docs/kbn_core_environment_server_internal.mdx index 7f8b035254bf1..09498dd3e8c54 100644 --- a/api_docs/kbn_core_environment_server_internal.mdx +++ b/api_docs/kbn_core_environment_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-internal title: "@kbn/core-environment-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-internal'] --- import kbnCoreEnvironmentServerInternalObj from './kbn_core_environment_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_environment_server_mocks.mdx b/api_docs/kbn_core_environment_server_mocks.mdx index a592f03fbb330..269d3e4300db7 100644 --- a/api_docs/kbn_core_environment_server_mocks.mdx +++ b/api_docs/kbn_core_environment_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-environment-server-mocks title: "@kbn/core-environment-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-environment-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-environment-server-mocks'] --- import kbnCoreEnvironmentServerMocksObj from './kbn_core_environment_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser.mdx b/api_docs/kbn_core_execution_context_browser.mdx index be003b6dde3f9..15f5dc515166a 100644 --- a/api_docs/kbn_core_execution_context_browser.mdx +++ b/api_docs/kbn_core_execution_context_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser title: "@kbn/core-execution-context-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser'] --- import kbnCoreExecutionContextBrowserObj from './kbn_core_execution_context_browser.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_internal.mdx b/api_docs/kbn_core_execution_context_browser_internal.mdx index 6ad18f55515f3..f87b1af55f464 100644 --- a/api_docs/kbn_core_execution_context_browser_internal.mdx +++ b/api_docs/kbn_core_execution_context_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-internal title: "@kbn/core-execution-context-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-internal'] --- import kbnCoreExecutionContextBrowserInternalObj from './kbn_core_execution_context_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_browser_mocks.mdx b/api_docs/kbn_core_execution_context_browser_mocks.mdx index b4e23fcf7060b..34ce25dc47160 100644 --- a/api_docs/kbn_core_execution_context_browser_mocks.mdx +++ b/api_docs/kbn_core_execution_context_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-browser-mocks title: "@kbn/core-execution-context-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-browser-mocks'] --- import kbnCoreExecutionContextBrowserMocksObj from './kbn_core_execution_context_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_common.mdx b/api_docs/kbn_core_execution_context_common.mdx index 44e542fe129ec..90b99b614f06f 100644 --- a/api_docs/kbn_core_execution_context_common.mdx +++ b/api_docs/kbn_core_execution_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-common title: "@kbn/core-execution-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-common'] --- import kbnCoreExecutionContextCommonObj from './kbn_core_execution_context_common.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server.mdx b/api_docs/kbn_core_execution_context_server.mdx index 717e67543d58f..59311dea3be93 100644 --- a/api_docs/kbn_core_execution_context_server.mdx +++ b/api_docs/kbn_core_execution_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server title: "@kbn/core-execution-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server'] --- import kbnCoreExecutionContextServerObj from './kbn_core_execution_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_internal.mdx b/api_docs/kbn_core_execution_context_server_internal.mdx index a03e733a6ee8a..a08178ee21225 100644 --- a/api_docs/kbn_core_execution_context_server_internal.mdx +++ b/api_docs/kbn_core_execution_context_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-internal title: "@kbn/core-execution-context-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-internal'] --- import kbnCoreExecutionContextServerInternalObj from './kbn_core_execution_context_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_execution_context_server_mocks.mdx b/api_docs/kbn_core_execution_context_server_mocks.mdx index 2fe181c9fc44e..0fd07f9f2e9cb 100644 --- a/api_docs/kbn_core_execution_context_server_mocks.mdx +++ b/api_docs/kbn_core_execution_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-execution-context-server-mocks title: "@kbn/core-execution-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-execution-context-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-execution-context-server-mocks'] --- import kbnCoreExecutionContextServerMocksObj from './kbn_core_execution_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser.mdx b/api_docs/kbn_core_fatal_errors_browser.mdx index 85939ebf080cc..abfb46358e4ca 100644 --- a/api_docs/kbn_core_fatal_errors_browser.mdx +++ b/api_docs/kbn_core_fatal_errors_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser title: "@kbn/core-fatal-errors-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser'] --- import kbnCoreFatalErrorsBrowserObj from './kbn_core_fatal_errors_browser.devdocs.json'; diff --git a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx index 48bb3e94a6658..a75f7e1e6cafe 100644 --- a/api_docs/kbn_core_fatal_errors_browser_mocks.mdx +++ b/api_docs/kbn_core_fatal_errors_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-fatal-errors-browser-mocks title: "@kbn/core-fatal-errors-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-fatal-errors-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-fatal-errors-browser-mocks'] --- import kbnCoreFatalErrorsBrowserMocksObj from './kbn_core_fatal_errors_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser.mdx b/api_docs/kbn_core_feature_flags_browser.mdx index 7fa3366fde3a0..d2be91888cd5e 100644 --- a/api_docs/kbn_core_feature_flags_browser.mdx +++ b/api_docs/kbn_core_feature_flags_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser title: "@kbn/core-feature-flags-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser'] --- import kbnCoreFeatureFlagsBrowserObj from './kbn_core_feature_flags_browser.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_internal.mdx b/api_docs/kbn_core_feature_flags_browser_internal.mdx index 25dd245097435..971402bbcc6d3 100644 --- a/api_docs/kbn_core_feature_flags_browser_internal.mdx +++ b/api_docs/kbn_core_feature_flags_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-internal title: "@kbn/core-feature-flags-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-internal'] --- import kbnCoreFeatureFlagsBrowserInternalObj from './kbn_core_feature_flags_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_browser_mocks.mdx b/api_docs/kbn_core_feature_flags_browser_mocks.mdx index f83213a16c2db..72a5438c7b888 100644 --- a/api_docs/kbn_core_feature_flags_browser_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-browser-mocks title: "@kbn/core-feature-flags-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-browser-mocks'] --- import kbnCoreFeatureFlagsBrowserMocksObj from './kbn_core_feature_flags_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server.mdx b/api_docs/kbn_core_feature_flags_server.mdx index 5d7165def3647..aa34f3ecc99b7 100644 --- a/api_docs/kbn_core_feature_flags_server.mdx +++ b/api_docs/kbn_core_feature_flags_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server title: "@kbn/core-feature-flags-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server'] --- import kbnCoreFeatureFlagsServerObj from './kbn_core_feature_flags_server.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_internal.mdx b/api_docs/kbn_core_feature_flags_server_internal.mdx index 95e23232de300..6c4316994b346 100644 --- a/api_docs/kbn_core_feature_flags_server_internal.mdx +++ b/api_docs/kbn_core_feature_flags_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-internal title: "@kbn/core-feature-flags-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-internal'] --- import kbnCoreFeatureFlagsServerInternalObj from './kbn_core_feature_flags_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_feature_flags_server_mocks.mdx b/api_docs/kbn_core_feature_flags_server_mocks.mdx index 9d0fe7337ba19..350d76fcbaea7 100644 --- a/api_docs/kbn_core_feature_flags_server_mocks.mdx +++ b/api_docs/kbn_core_feature_flags_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-feature-flags-server-mocks title: "@kbn/core-feature-flags-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-feature-flags-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-feature-flags-server-mocks'] --- import kbnCoreFeatureFlagsServerMocksObj from './kbn_core_feature_flags_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser.mdx b/api_docs/kbn_core_http_browser.mdx index bd39f03d1778e..9957c33b0f718 100644 --- a/api_docs/kbn_core_http_browser.mdx +++ b/api_docs/kbn_core_http_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser title: "@kbn/core-http-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser'] --- import kbnCoreHttpBrowserObj from './kbn_core_http_browser.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_internal.mdx b/api_docs/kbn_core_http_browser_internal.mdx index 1783cf3a78c5b..3142f080ee643 100644 --- a/api_docs/kbn_core_http_browser_internal.mdx +++ b/api_docs/kbn_core_http_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-internal title: "@kbn/core-http-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-internal'] --- import kbnCoreHttpBrowserInternalObj from './kbn_core_http_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_browser_mocks.mdx b/api_docs/kbn_core_http_browser_mocks.mdx index d59456e45a92d..2eb2d3efac8ba 100644 --- a/api_docs/kbn_core_http_browser_mocks.mdx +++ b/api_docs/kbn_core_http_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-browser-mocks title: "@kbn/core-http-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-browser-mocks'] --- import kbnCoreHttpBrowserMocksObj from './kbn_core_http_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_common.mdx b/api_docs/kbn_core_http_common.mdx index ba61cef0066a8..827c976c8c6f1 100644 --- a/api_docs/kbn_core_http_common.mdx +++ b/api_docs/kbn_core_http_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-common title: "@kbn/core-http-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-common'] --- import kbnCoreHttpCommonObj from './kbn_core_http_common.devdocs.json'; diff --git a/api_docs/kbn_core_http_context_server_mocks.mdx b/api_docs/kbn_core_http_context_server_mocks.mdx index db76e849a0a58..d3e7deb409132 100644 --- a/api_docs/kbn_core_http_context_server_mocks.mdx +++ b/api_docs/kbn_core_http_context_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-context-server-mocks title: "@kbn/core-http-context-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-context-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-context-server-mocks'] --- import kbnCoreHttpContextServerMocksObj from './kbn_core_http_context_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_request_handler_context_server.mdx b/api_docs/kbn_core_http_request_handler_context_server.mdx index e2303389cfd78..2072e45cdad9a 100644 --- a/api_docs/kbn_core_http_request_handler_context_server.mdx +++ b/api_docs/kbn_core_http_request_handler_context_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-request-handler-context-server title: "@kbn/core-http-request-handler-context-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-request-handler-context-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-request-handler-context-server'] --- import kbnCoreHttpRequestHandlerContextServerObj from './kbn_core_http_request_handler_context_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server.mdx b/api_docs/kbn_core_http_resources_server.mdx index e174f1db4e69a..84fa548b0c12e 100644 --- a/api_docs/kbn_core_http_resources_server.mdx +++ b/api_docs/kbn_core_http_resources_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server title: "@kbn/core-http-resources-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server'] --- import kbnCoreHttpResourcesServerObj from './kbn_core_http_resources_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_internal.mdx b/api_docs/kbn_core_http_resources_server_internal.mdx index 37d0274f0f534..22aa04e2d68d5 100644 --- a/api_docs/kbn_core_http_resources_server_internal.mdx +++ b/api_docs/kbn_core_http_resources_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-internal title: "@kbn/core-http-resources-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-internal'] --- import kbnCoreHttpResourcesServerInternalObj from './kbn_core_http_resources_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_resources_server_mocks.mdx b/api_docs/kbn_core_http_resources_server_mocks.mdx index eff526fab4234..63888c00a7789 100644 --- a/api_docs/kbn_core_http_resources_server_mocks.mdx +++ b/api_docs/kbn_core_http_resources_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-resources-server-mocks title: "@kbn/core-http-resources-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-resources-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-resources-server-mocks'] --- import kbnCoreHttpResourcesServerMocksObj from './kbn_core_http_resources_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_internal.mdx b/api_docs/kbn_core_http_router_server_internal.mdx index 413fa0163ab61..7375a0a4e0269 100644 --- a/api_docs/kbn_core_http_router_server_internal.mdx +++ b/api_docs/kbn_core_http_router_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-internal title: "@kbn/core-http-router-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-internal'] --- import kbnCoreHttpRouterServerInternalObj from './kbn_core_http_router_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_router_server_mocks.mdx b/api_docs/kbn_core_http_router_server_mocks.mdx index 4edb5ec9566e6..0054c6722e536 100644 --- a/api_docs/kbn_core_http_router_server_mocks.mdx +++ b/api_docs/kbn_core_http_router_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-router-server-mocks title: "@kbn/core-http-router-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-router-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-router-server-mocks'] --- import kbnCoreHttpRouterServerMocksObj from './kbn_core_http_router_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server.mdx b/api_docs/kbn_core_http_server.mdx index bab57a7c7c051..dcc91f7cdea17 100644 --- a/api_docs/kbn_core_http_server.mdx +++ b/api_docs/kbn_core_http_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server title: "@kbn/core-http-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server'] --- import kbnCoreHttpServerObj from './kbn_core_http_server.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_internal.mdx b/api_docs/kbn_core_http_server_internal.mdx index ddff08358b196..1c17863c96f60 100644 --- a/api_docs/kbn_core_http_server_internal.mdx +++ b/api_docs/kbn_core_http_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-internal title: "@kbn/core-http-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-internal'] --- import kbnCoreHttpServerInternalObj from './kbn_core_http_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_mocks.mdx b/api_docs/kbn_core_http_server_mocks.mdx index bb17a2393bde0..df65bf8782fd4 100644 --- a/api_docs/kbn_core_http_server_mocks.mdx +++ b/api_docs/kbn_core_http_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-mocks title: "@kbn/core-http-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-mocks'] --- import kbnCoreHttpServerMocksObj from './kbn_core_http_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_http_server_utils.mdx b/api_docs/kbn_core_http_server_utils.mdx index fbd6736874ddf..b82fc751845a5 100644 --- a/api_docs/kbn_core_http_server_utils.mdx +++ b/api_docs/kbn_core_http_server_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-http-server-utils title: "@kbn/core-http-server-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-http-server-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-http-server-utils'] --- import kbnCoreHttpServerUtilsObj from './kbn_core_http_server_utils.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser.mdx b/api_docs/kbn_core_i18n_browser.mdx index 682d8bb8ee04c..2b0437eb832b0 100644 --- a/api_docs/kbn_core_i18n_browser.mdx +++ b/api_docs/kbn_core_i18n_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser title: "@kbn/core-i18n-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser'] --- import kbnCoreI18nBrowserObj from './kbn_core_i18n_browser.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_browser_mocks.mdx b/api_docs/kbn_core_i18n_browser_mocks.mdx index 5fecd79b9b513..d0bb1c96b6a9a 100644 --- a/api_docs/kbn_core_i18n_browser_mocks.mdx +++ b/api_docs/kbn_core_i18n_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-browser-mocks title: "@kbn/core-i18n-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-browser-mocks'] --- import kbnCoreI18nBrowserMocksObj from './kbn_core_i18n_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server.mdx b/api_docs/kbn_core_i18n_server.mdx index d48d8852c65d1..015bce3778189 100644 --- a/api_docs/kbn_core_i18n_server.mdx +++ b/api_docs/kbn_core_i18n_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server title: "@kbn/core-i18n-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server'] --- import kbnCoreI18nServerObj from './kbn_core_i18n_server.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_internal.mdx b/api_docs/kbn_core_i18n_server_internal.mdx index d3d686ef189bd..20f862283038e 100644 --- a/api_docs/kbn_core_i18n_server_internal.mdx +++ b/api_docs/kbn_core_i18n_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-internal title: "@kbn/core-i18n-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-internal'] --- import kbnCoreI18nServerInternalObj from './kbn_core_i18n_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_i18n_server_mocks.mdx b/api_docs/kbn_core_i18n_server_mocks.mdx index 5fb750865168d..8b82f6be918c2 100644 --- a/api_docs/kbn_core_i18n_server_mocks.mdx +++ b/api_docs/kbn_core_i18n_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-i18n-server-mocks title: "@kbn/core-i18n-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-i18n-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-i18n-server-mocks'] --- import kbnCoreI18nServerMocksObj from './kbn_core_i18n_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx index 4ba0c52e96951..e0fcd59475ffc 100644 --- a/api_docs/kbn_core_injected_metadata_browser_mocks.mdx +++ b/api_docs/kbn_core_injected_metadata_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-injected-metadata-browser-mocks title: "@kbn/core-injected-metadata-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-injected-metadata-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-injected-metadata-browser-mocks'] --- import kbnCoreInjectedMetadataBrowserMocksObj from './kbn_core_injected_metadata_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_internal.mdx b/api_docs/kbn_core_integrations_browser_internal.mdx index c3d0046f71799..fe3f7f976e045 100644 --- a/api_docs/kbn_core_integrations_browser_internal.mdx +++ b/api_docs/kbn_core_integrations_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-internal title: "@kbn/core-integrations-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-internal'] --- import kbnCoreIntegrationsBrowserInternalObj from './kbn_core_integrations_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_integrations_browser_mocks.mdx b/api_docs/kbn_core_integrations_browser_mocks.mdx index e3316f6ef2434..57ddd1fc8ecf4 100644 --- a/api_docs/kbn_core_integrations_browser_mocks.mdx +++ b/api_docs/kbn_core_integrations_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-integrations-browser-mocks title: "@kbn/core-integrations-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-integrations-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-integrations-browser-mocks'] --- import kbnCoreIntegrationsBrowserMocksObj from './kbn_core_integrations_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser.mdx b/api_docs/kbn_core_lifecycle_browser.mdx index 8e2bab1819dd9..6740beaa0ef62 100644 --- a/api_docs/kbn_core_lifecycle_browser.mdx +++ b/api_docs/kbn_core_lifecycle_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser title: "@kbn/core-lifecycle-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser'] --- import kbnCoreLifecycleBrowserObj from './kbn_core_lifecycle_browser.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_browser_mocks.mdx b/api_docs/kbn_core_lifecycle_browser_mocks.mdx index b5d6b9ddc4445..ace94fb125b60 100644 --- a/api_docs/kbn_core_lifecycle_browser_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-browser-mocks title: "@kbn/core-lifecycle-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-browser-mocks'] --- import kbnCoreLifecycleBrowserMocksObj from './kbn_core_lifecycle_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server.mdx b/api_docs/kbn_core_lifecycle_server.mdx index 363d218a8b88c..57485e32b81b5 100644 --- a/api_docs/kbn_core_lifecycle_server.mdx +++ b/api_docs/kbn_core_lifecycle_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server title: "@kbn/core-lifecycle-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server'] --- import kbnCoreLifecycleServerObj from './kbn_core_lifecycle_server.devdocs.json'; diff --git a/api_docs/kbn_core_lifecycle_server_mocks.mdx b/api_docs/kbn_core_lifecycle_server_mocks.mdx index a3797063e525d..8afaa7a9ae715 100644 --- a/api_docs/kbn_core_lifecycle_server_mocks.mdx +++ b/api_docs/kbn_core_lifecycle_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-lifecycle-server-mocks title: "@kbn/core-lifecycle-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-lifecycle-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-lifecycle-server-mocks'] --- import kbnCoreLifecycleServerMocksObj from './kbn_core_lifecycle_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_browser_mocks.mdx b/api_docs/kbn_core_logging_browser_mocks.mdx index 3b9373514af0c..8041e6f1496ea 100644 --- a/api_docs/kbn_core_logging_browser_mocks.mdx +++ b/api_docs/kbn_core_logging_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-browser-mocks title: "@kbn/core-logging-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-browser-mocks'] --- import kbnCoreLoggingBrowserMocksObj from './kbn_core_logging_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_logging_common_internal.mdx b/api_docs/kbn_core_logging_common_internal.mdx index 125986bd09c61..95590bfc47e59 100644 --- a/api_docs/kbn_core_logging_common_internal.mdx +++ b/api_docs/kbn_core_logging_common_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-common-internal title: "@kbn/core-logging-common-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-common-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-common-internal'] --- import kbnCoreLoggingCommonInternalObj from './kbn_core_logging_common_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server.mdx b/api_docs/kbn_core_logging_server.mdx index e55fa4575a43a..d4fdd1cb2aaf9 100644 --- a/api_docs/kbn_core_logging_server.mdx +++ b/api_docs/kbn_core_logging_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server title: "@kbn/core-logging-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server'] --- import kbnCoreLoggingServerObj from './kbn_core_logging_server.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_internal.mdx b/api_docs/kbn_core_logging_server_internal.mdx index 901236b9ed886..d02a913fb1018 100644 --- a/api_docs/kbn_core_logging_server_internal.mdx +++ b/api_docs/kbn_core_logging_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-internal title: "@kbn/core-logging-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-internal'] --- import kbnCoreLoggingServerInternalObj from './kbn_core_logging_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_logging_server_mocks.mdx b/api_docs/kbn_core_logging_server_mocks.mdx index 82c319c5384d9..a5c6ab8d96375 100644 --- a/api_docs/kbn_core_logging_server_mocks.mdx +++ b/api_docs/kbn_core_logging_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-logging-server-mocks title: "@kbn/core-logging-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-logging-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-logging-server-mocks'] --- import kbnCoreLoggingServerMocksObj from './kbn_core_logging_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_internal.mdx b/api_docs/kbn_core_metrics_collectors_server_internal.mdx index 6c204fe96948f..5a9e9ce4472a1 100644 --- a/api_docs/kbn_core_metrics_collectors_server_internal.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-internal title: "@kbn/core-metrics-collectors-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-internal'] --- import kbnCoreMetricsCollectorsServerInternalObj from './kbn_core_metrics_collectors_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx index 95a66e7ef15e6..f6775be5746fe 100644 --- a/api_docs/kbn_core_metrics_collectors_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_collectors_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-collectors-server-mocks title: "@kbn/core-metrics-collectors-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-collectors-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-collectors-server-mocks'] --- import kbnCoreMetricsCollectorsServerMocksObj from './kbn_core_metrics_collectors_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server.mdx b/api_docs/kbn_core_metrics_server.mdx index 9d0cd840eb18d..de9565021cc14 100644 --- a/api_docs/kbn_core_metrics_server.mdx +++ b/api_docs/kbn_core_metrics_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server title: "@kbn/core-metrics-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server'] --- import kbnCoreMetricsServerObj from './kbn_core_metrics_server.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_internal.mdx b/api_docs/kbn_core_metrics_server_internal.mdx index 3a0ec563de00e..0ed0eb53e53e2 100644 --- a/api_docs/kbn_core_metrics_server_internal.mdx +++ b/api_docs/kbn_core_metrics_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-internal title: "@kbn/core-metrics-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-internal'] --- import kbnCoreMetricsServerInternalObj from './kbn_core_metrics_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_metrics_server_mocks.mdx b/api_docs/kbn_core_metrics_server_mocks.mdx index 795ddb3a85791..9e9235e9bf477 100644 --- a/api_docs/kbn_core_metrics_server_mocks.mdx +++ b/api_docs/kbn_core_metrics_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-metrics-server-mocks title: "@kbn/core-metrics-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-metrics-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-metrics-server-mocks'] --- import kbnCoreMetricsServerMocksObj from './kbn_core_metrics_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_mount_utils_browser.mdx b/api_docs/kbn_core_mount_utils_browser.mdx index 727ef5171dd2a..41dcbf5ac38b8 100644 --- a/api_docs/kbn_core_mount_utils_browser.mdx +++ b/api_docs/kbn_core_mount_utils_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-mount-utils-browser title: "@kbn/core-mount-utils-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-mount-utils-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-mount-utils-browser'] --- import kbnCoreMountUtilsBrowserObj from './kbn_core_mount_utils_browser.devdocs.json'; diff --git a/api_docs/kbn_core_node_server.mdx b/api_docs/kbn_core_node_server.mdx index 203c087c8a101..37cca50f6859b 100644 --- a/api_docs/kbn_core_node_server.mdx +++ b/api_docs/kbn_core_node_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server title: "@kbn/core-node-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server'] --- import kbnCoreNodeServerObj from './kbn_core_node_server.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_internal.mdx b/api_docs/kbn_core_node_server_internal.mdx index 150ae0c9a4a77..64512349afdd5 100644 --- a/api_docs/kbn_core_node_server_internal.mdx +++ b/api_docs/kbn_core_node_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-internal title: "@kbn/core-node-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-internal'] --- import kbnCoreNodeServerInternalObj from './kbn_core_node_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_node_server_mocks.mdx b/api_docs/kbn_core_node_server_mocks.mdx index 00ce929e60596..036ee791867d3 100644 --- a/api_docs/kbn_core_node_server_mocks.mdx +++ b/api_docs/kbn_core_node_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-node-server-mocks title: "@kbn/core-node-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-node-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-node-server-mocks'] --- import kbnCoreNodeServerMocksObj from './kbn_core_node_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser.mdx b/api_docs/kbn_core_notifications_browser.mdx index 80351634642fc..641e848dad37a 100644 --- a/api_docs/kbn_core_notifications_browser.mdx +++ b/api_docs/kbn_core_notifications_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser title: "@kbn/core-notifications-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser'] --- import kbnCoreNotificationsBrowserObj from './kbn_core_notifications_browser.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_internal.mdx b/api_docs/kbn_core_notifications_browser_internal.mdx index 242af33e83dc6..d020a4cd4573a 100644 --- a/api_docs/kbn_core_notifications_browser_internal.mdx +++ b/api_docs/kbn_core_notifications_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-internal title: "@kbn/core-notifications-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-internal'] --- import kbnCoreNotificationsBrowserInternalObj from './kbn_core_notifications_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_notifications_browser_mocks.mdx b/api_docs/kbn_core_notifications_browser_mocks.mdx index 0d8cce446cf95..b66b894cfc13c 100644 --- a/api_docs/kbn_core_notifications_browser_mocks.mdx +++ b/api_docs/kbn_core_notifications_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-notifications-browser-mocks title: "@kbn/core-notifications-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-notifications-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-notifications-browser-mocks'] --- import kbnCoreNotificationsBrowserMocksObj from './kbn_core_notifications_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser.mdx b/api_docs/kbn_core_overlays_browser.mdx index 742605d913893..6ecafb4fd898e 100644 --- a/api_docs/kbn_core_overlays_browser.mdx +++ b/api_docs/kbn_core_overlays_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser title: "@kbn/core-overlays-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser'] --- import kbnCoreOverlaysBrowserObj from './kbn_core_overlays_browser.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_internal.mdx b/api_docs/kbn_core_overlays_browser_internal.mdx index 3ca4f5ba60b7c..54db9a17e2f08 100644 --- a/api_docs/kbn_core_overlays_browser_internal.mdx +++ b/api_docs/kbn_core_overlays_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-internal title: "@kbn/core-overlays-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-internal'] --- import kbnCoreOverlaysBrowserInternalObj from './kbn_core_overlays_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_overlays_browser_mocks.mdx b/api_docs/kbn_core_overlays_browser_mocks.mdx index cd9da1e6251fc..f9a357f378d56 100644 --- a/api_docs/kbn_core_overlays_browser_mocks.mdx +++ b/api_docs/kbn_core_overlays_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-overlays-browser-mocks title: "@kbn/core-overlays-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-overlays-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-overlays-browser-mocks'] --- import kbnCoreOverlaysBrowserMocksObj from './kbn_core_overlays_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser.mdx b/api_docs/kbn_core_plugins_browser.mdx index eb0cb979c59be..32e7a49baf7b2 100644 --- a/api_docs/kbn_core_plugins_browser.mdx +++ b/api_docs/kbn_core_plugins_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser title: "@kbn/core-plugins-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser'] --- import kbnCorePluginsBrowserObj from './kbn_core_plugins_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_browser_mocks.mdx b/api_docs/kbn_core_plugins_browser_mocks.mdx index eaf18e2a3f1c4..d7db67680ed41 100644 --- a/api_docs/kbn_core_plugins_browser_mocks.mdx +++ b/api_docs/kbn_core_plugins_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-browser-mocks title: "@kbn/core-plugins-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-browser-mocks'] --- import kbnCorePluginsBrowserMocksObj from './kbn_core_plugins_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_browser.mdx b/api_docs/kbn_core_plugins_contracts_browser.mdx index 49aebf4a11a6f..cb8f6b8b4c8b8 100644 --- a/api_docs/kbn_core_plugins_contracts_browser.mdx +++ b/api_docs/kbn_core_plugins_contracts_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-browser title: "@kbn/core-plugins-contracts-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-browser'] --- import kbnCorePluginsContractsBrowserObj from './kbn_core_plugins_contracts_browser.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_contracts_server.mdx b/api_docs/kbn_core_plugins_contracts_server.mdx index 3a30b36814c4d..8288605e5072d 100644 --- a/api_docs/kbn_core_plugins_contracts_server.mdx +++ b/api_docs/kbn_core_plugins_contracts_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-contracts-server title: "@kbn/core-plugins-contracts-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-contracts-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-contracts-server'] --- import kbnCorePluginsContractsServerObj from './kbn_core_plugins_contracts_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server.mdx b/api_docs/kbn_core_plugins_server.mdx index 249a0e394d63e..23998d24a5898 100644 --- a/api_docs/kbn_core_plugins_server.mdx +++ b/api_docs/kbn_core_plugins_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server title: "@kbn/core-plugins-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server'] --- import kbnCorePluginsServerObj from './kbn_core_plugins_server.devdocs.json'; diff --git a/api_docs/kbn_core_plugins_server_mocks.mdx b/api_docs/kbn_core_plugins_server_mocks.mdx index 1bd71845531f6..c09ec811514f3 100644 --- a/api_docs/kbn_core_plugins_server_mocks.mdx +++ b/api_docs/kbn_core_plugins_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-plugins-server-mocks title: "@kbn/core-plugins-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-plugins-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-plugins-server-mocks'] --- import kbnCorePluginsServerMocksObj from './kbn_core_plugins_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server.mdx b/api_docs/kbn_core_preboot_server.mdx index 7a8528ff1b8b9..0465f90ba6ce1 100644 --- a/api_docs/kbn_core_preboot_server.mdx +++ b/api_docs/kbn_core_preboot_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server title: "@kbn/core-preboot-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server'] --- import kbnCorePrebootServerObj from './kbn_core_preboot_server.devdocs.json'; diff --git a/api_docs/kbn_core_preboot_server_mocks.mdx b/api_docs/kbn_core_preboot_server_mocks.mdx index 7ef9d4b6ca20d..b5dbd080c5998 100644 --- a/api_docs/kbn_core_preboot_server_mocks.mdx +++ b/api_docs/kbn_core_preboot_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-preboot-server-mocks title: "@kbn/core-preboot-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-preboot-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-preboot-server-mocks'] --- import kbnCorePrebootServerMocksObj from './kbn_core_preboot_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser.mdx b/api_docs/kbn_core_rendering_browser.mdx index 8fdbf2cb11dc1..73fefb4071bcf 100644 --- a/api_docs/kbn_core_rendering_browser.mdx +++ b/api_docs/kbn_core_rendering_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser title: "@kbn/core-rendering-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser'] --- import kbnCoreRenderingBrowserObj from './kbn_core_rendering_browser.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_browser_mocks.mdx b/api_docs/kbn_core_rendering_browser_mocks.mdx index b9b989602eeef..52a312d250ee1 100644 --- a/api_docs/kbn_core_rendering_browser_mocks.mdx +++ b/api_docs/kbn_core_rendering_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-browser-mocks title: "@kbn/core-rendering-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-browser-mocks'] --- import kbnCoreRenderingBrowserMocksObj from './kbn_core_rendering_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_internal.mdx b/api_docs/kbn_core_rendering_server_internal.mdx index b32413585786f..daaaf5359e5d8 100644 --- a/api_docs/kbn_core_rendering_server_internal.mdx +++ b/api_docs/kbn_core_rendering_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-internal title: "@kbn/core-rendering-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-internal'] --- import kbnCoreRenderingServerInternalObj from './kbn_core_rendering_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_rendering_server_mocks.mdx b/api_docs/kbn_core_rendering_server_mocks.mdx index 54f81f21e23b7..d939f752f1546 100644 --- a/api_docs/kbn_core_rendering_server_mocks.mdx +++ b/api_docs/kbn_core_rendering_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-rendering-server-mocks title: "@kbn/core-rendering-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-rendering-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-rendering-server-mocks'] --- import kbnCoreRenderingServerMocksObj from './kbn_core_rendering_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_root_server_internal.mdx b/api_docs/kbn_core_root_server_internal.mdx index 89161e59d2948..fa47206e84944 100644 --- a/api_docs/kbn_core_root_server_internal.mdx +++ b/api_docs/kbn_core_root_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-root-server-internal title: "@kbn/core-root-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-root-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-root-server-internal'] --- import kbnCoreRootServerInternalObj from './kbn_core_root_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_browser.mdx b/api_docs/kbn_core_saved_objects_api_browser.mdx index 263b717570586..ca5c815566b52 100644 --- a/api_docs/kbn_core_saved_objects_api_browser.mdx +++ b/api_docs/kbn_core_saved_objects_api_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-browser title: "@kbn/core-saved-objects-api-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-browser'] --- import kbnCoreSavedObjectsApiBrowserObj from './kbn_core_saved_objects_api_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server.mdx b/api_docs/kbn_core_saved_objects_api_server.mdx index 130f551c93b18..148e2c3faec7d 100644 --- a/api_docs/kbn_core_saved_objects_api_server.mdx +++ b/api_docs/kbn_core_saved_objects_api_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server title: "@kbn/core-saved-objects-api-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server'] --- import kbnCoreSavedObjectsApiServerObj from './kbn_core_saved_objects_api_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx index 9b2e61a74873a..1aec4418a78ff 100644 --- a/api_docs/kbn_core_saved_objects_api_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_api_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-api-server-mocks title: "@kbn/core-saved-objects-api-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-api-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-api-server-mocks'] --- import kbnCoreSavedObjectsApiServerMocksObj from './kbn_core_saved_objects_api_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_internal.mdx b/api_docs/kbn_core_saved_objects_base_server_internal.mdx index c278b023d5822..e264891749bb6 100644 --- a/api_docs/kbn_core_saved_objects_base_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-internal title: "@kbn/core-saved-objects-base-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-internal'] --- import kbnCoreSavedObjectsBaseServerInternalObj from './kbn_core_saved_objects_base_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx index dfa99b79afc02..0dc55da42ef78 100644 --- a/api_docs/kbn_core_saved_objects_base_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_base_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-base-server-mocks title: "@kbn/core-saved-objects-base-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-base-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-base-server-mocks'] --- import kbnCoreSavedObjectsBaseServerMocksObj from './kbn_core_saved_objects_base_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser.mdx b/api_docs/kbn_core_saved_objects_browser.mdx index 8ea0a9d5f4f54..4a1e045f338d6 100644 --- a/api_docs/kbn_core_saved_objects_browser.mdx +++ b/api_docs/kbn_core_saved_objects_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser title: "@kbn/core-saved-objects-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser'] --- import kbnCoreSavedObjectsBrowserObj from './kbn_core_saved_objects_browser.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_internal.mdx b/api_docs/kbn_core_saved_objects_browser_internal.mdx index d8b6725ea561c..084c86a9f4c9b 100644 --- a/api_docs/kbn_core_saved_objects_browser_internal.mdx +++ b/api_docs/kbn_core_saved_objects_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-internal title: "@kbn/core-saved-objects-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-internal'] --- import kbnCoreSavedObjectsBrowserInternalObj from './kbn_core_saved_objects_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_browser_mocks.mdx b/api_docs/kbn_core_saved_objects_browser_mocks.mdx index 8e23bdd7e9950..fe5aa55473580 100644 --- a/api_docs/kbn_core_saved_objects_browser_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-browser-mocks title: "@kbn/core-saved-objects-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-browser-mocks'] --- import kbnCoreSavedObjectsBrowserMocksObj from './kbn_core_saved_objects_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_common.mdx b/api_docs/kbn_core_saved_objects_common.mdx index c4c75004be901..6996ee2da1571 100644 --- a/api_docs/kbn_core_saved_objects_common.mdx +++ b/api_docs/kbn_core_saved_objects_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-common title: "@kbn/core-saved-objects-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-common'] --- import kbnCoreSavedObjectsCommonObj from './kbn_core_saved_objects_common.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx index 8aca4d9e21da7..deeb095010760 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-internal title: "@kbn/core-saved-objects-import-export-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-internal'] --- import kbnCoreSavedObjectsImportExportServerInternalObj from './kbn_core_saved_objects_import_export_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx index 0952c4e22b27c..012d133fd67da 100644 --- a/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_import_export_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-import-export-server-mocks title: "@kbn/core-saved-objects-import-export-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-import-export-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-import-export-server-mocks'] --- import kbnCoreSavedObjectsImportExportServerMocksObj from './kbn_core_saved_objects_import_export_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx index 32bbe896e00f1..ebe5adb48af83 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-internal title: "@kbn/core-saved-objects-migration-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-internal'] --- import kbnCoreSavedObjectsMigrationServerInternalObj from './kbn_core_saved_objects_migration_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx index 01ff3c9fb1906..13651b06d8f09 100644 --- a/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_migration_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-migration-server-mocks title: "@kbn/core-saved-objects-migration-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-migration-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-migration-server-mocks'] --- import kbnCoreSavedObjectsMigrationServerMocksObj from './kbn_core_saved_objects_migration_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server.mdx b/api_docs/kbn_core_saved_objects_server.mdx index 22b1b5b816b17..816de3324a79f 100644 --- a/api_docs/kbn_core_saved_objects_server.mdx +++ b/api_docs/kbn_core_saved_objects_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server title: "@kbn/core-saved-objects-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server'] --- import kbnCoreSavedObjectsServerObj from './kbn_core_saved_objects_server.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_internal.mdx b/api_docs/kbn_core_saved_objects_server_internal.mdx index 96a5e7b02cab2..67942ac0db381 100644 --- a/api_docs/kbn_core_saved_objects_server_internal.mdx +++ b/api_docs/kbn_core_saved_objects_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-internal title: "@kbn/core-saved-objects-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-internal'] --- import kbnCoreSavedObjectsServerInternalObj from './kbn_core_saved_objects_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_server_mocks.mdx b/api_docs/kbn_core_saved_objects_server_mocks.mdx index 4d1cf0c2cb698..1ff49aa6c3a5e 100644 --- a/api_docs/kbn_core_saved_objects_server_mocks.mdx +++ b/api_docs/kbn_core_saved_objects_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-server-mocks title: "@kbn/core-saved-objects-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-server-mocks'] --- import kbnCoreSavedObjectsServerMocksObj from './kbn_core_saved_objects_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_saved_objects_utils_server.mdx b/api_docs/kbn_core_saved_objects_utils_server.mdx index f31bb825c23e7..8cb3362ad7a96 100644 --- a/api_docs/kbn_core_saved_objects_utils_server.mdx +++ b/api_docs/kbn_core_saved_objects_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-saved-objects-utils-server title: "@kbn/core-saved-objects-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-saved-objects-utils-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-saved-objects-utils-server'] --- import kbnCoreSavedObjectsUtilsServerObj from './kbn_core_saved_objects_utils_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser.mdx b/api_docs/kbn_core_security_browser.mdx index c84f65e560572..c74116b99423b 100644 --- a/api_docs/kbn_core_security_browser.mdx +++ b/api_docs/kbn_core_security_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser title: "@kbn/core-security-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser'] --- import kbnCoreSecurityBrowserObj from './kbn_core_security_browser.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_internal.mdx b/api_docs/kbn_core_security_browser_internal.mdx index c0e228e2ca6bc..02b3d76e31b74 100644 --- a/api_docs/kbn_core_security_browser_internal.mdx +++ b/api_docs/kbn_core_security_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-internal title: "@kbn/core-security-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-internal'] --- import kbnCoreSecurityBrowserInternalObj from './kbn_core_security_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_browser_mocks.mdx b/api_docs/kbn_core_security_browser_mocks.mdx index 8abba8b3c2ee4..e4a7e57b0d2a5 100644 --- a/api_docs/kbn_core_security_browser_mocks.mdx +++ b/api_docs/kbn_core_security_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-browser-mocks title: "@kbn/core-security-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-browser-mocks'] --- import kbnCoreSecurityBrowserMocksObj from './kbn_core_security_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_security_common.mdx b/api_docs/kbn_core_security_common.mdx index 9048483f20fb7..7f756333d887b 100644 --- a/api_docs/kbn_core_security_common.mdx +++ b/api_docs/kbn_core_security_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-common title: "@kbn/core-security-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-common'] --- import kbnCoreSecurityCommonObj from './kbn_core_security_common.devdocs.json'; diff --git a/api_docs/kbn_core_security_server.mdx b/api_docs/kbn_core_security_server.mdx index 98a130e92c850..1a6724e93315f 100644 --- a/api_docs/kbn_core_security_server.mdx +++ b/api_docs/kbn_core_security_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server title: "@kbn/core-security-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server'] --- import kbnCoreSecurityServerObj from './kbn_core_security_server.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_internal.mdx b/api_docs/kbn_core_security_server_internal.mdx index 6c62b878d1b60..c49286fa74aa8 100644 --- a/api_docs/kbn_core_security_server_internal.mdx +++ b/api_docs/kbn_core_security_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-internal title: "@kbn/core-security-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-internal'] --- import kbnCoreSecurityServerInternalObj from './kbn_core_security_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_security_server_mocks.mdx b/api_docs/kbn_core_security_server_mocks.mdx index d6487fd144d97..3b75ec2c19fac 100644 --- a/api_docs/kbn_core_security_server_mocks.mdx +++ b/api_docs/kbn_core_security_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-security-server-mocks title: "@kbn/core-security-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-security-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-security-server-mocks'] --- import kbnCoreSecurityServerMocksObj from './kbn_core_security_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_status_common.mdx b/api_docs/kbn_core_status_common.mdx index 5c9e15500f2ee..2f6efc6fd87ff 100644 --- a/api_docs/kbn_core_status_common.mdx +++ b/api_docs/kbn_core_status_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-common title: "@kbn/core-status-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-common'] --- import kbnCoreStatusCommonObj from './kbn_core_status_common.devdocs.json'; diff --git a/api_docs/kbn_core_status_server.mdx b/api_docs/kbn_core_status_server.mdx index 34e582776c9c1..41d3363267b81 100644 --- a/api_docs/kbn_core_status_server.mdx +++ b/api_docs/kbn_core_status_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server title: "@kbn/core-status-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server'] --- import kbnCoreStatusServerObj from './kbn_core_status_server.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_internal.mdx b/api_docs/kbn_core_status_server_internal.mdx index 832b528cf9c6c..0930d425641e4 100644 --- a/api_docs/kbn_core_status_server_internal.mdx +++ b/api_docs/kbn_core_status_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-internal title: "@kbn/core-status-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-internal'] --- import kbnCoreStatusServerInternalObj from './kbn_core_status_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_status_server_mocks.mdx b/api_docs/kbn_core_status_server_mocks.mdx index fb51fcbfa8b1d..168ac3a0bfb6e 100644 --- a/api_docs/kbn_core_status_server_mocks.mdx +++ b/api_docs/kbn_core_status_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-status-server-mocks title: "@kbn/core-status-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-status-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-status-server-mocks'] --- import kbnCoreStatusServerMocksObj from './kbn_core_status_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx index 975bb5070b1d5..ae02cfa5b74ff 100644 --- a/api_docs/kbn_core_test_helpers_deprecations_getters.mdx +++ b/api_docs/kbn_core_test_helpers_deprecations_getters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-deprecations-getters title: "@kbn/core-test-helpers-deprecations-getters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-deprecations-getters plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-deprecations-getters'] --- import kbnCoreTestHelpersDeprecationsGettersObj from './kbn_core_test_helpers_deprecations_getters.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx index 448c4b4ffbeed..0e955880d2306 100644 --- a/api_docs/kbn_core_test_helpers_http_setup_browser.mdx +++ b/api_docs/kbn_core_test_helpers_http_setup_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-http-setup-browser title: "@kbn/core-test-helpers-http-setup-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-http-setup-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-http-setup-browser'] --- import kbnCoreTestHelpersHttpSetupBrowserObj from './kbn_core_test_helpers_http_setup_browser.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_kbn_server.mdx b/api_docs/kbn_core_test_helpers_kbn_server.mdx index 4a764dd89293e..b7d4be2e0ef6d 100644 --- a/api_docs/kbn_core_test_helpers_kbn_server.mdx +++ b/api_docs/kbn_core_test_helpers_kbn_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-kbn-server title: "@kbn/core-test-helpers-kbn-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-kbn-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-kbn-server'] --- import kbnCoreTestHelpersKbnServerObj from './kbn_core_test_helpers_kbn_server.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_model_versions.mdx b/api_docs/kbn_core_test_helpers_model_versions.mdx index c85274cb1bb20..f9663cc44df45 100644 --- a/api_docs/kbn_core_test_helpers_model_versions.mdx +++ b/api_docs/kbn_core_test_helpers_model_versions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-model-versions title: "@kbn/core-test-helpers-model-versions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-model-versions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-model-versions'] --- import kbnCoreTestHelpersModelVersionsObj from './kbn_core_test_helpers_model_versions.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx index 8d9a5089c29af..f8c3347452578 100644 --- a/api_docs/kbn_core_test_helpers_so_type_serializer.mdx +++ b/api_docs/kbn_core_test_helpers_so_type_serializer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-so-type-serializer title: "@kbn/core-test-helpers-so-type-serializer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-so-type-serializer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-so-type-serializer'] --- import kbnCoreTestHelpersSoTypeSerializerObj from './kbn_core_test_helpers_so_type_serializer.devdocs.json'; diff --git a/api_docs/kbn_core_test_helpers_test_utils.mdx b/api_docs/kbn_core_test_helpers_test_utils.mdx index 22740b7697141..a967d5bc3f951 100644 --- a/api_docs/kbn_core_test_helpers_test_utils.mdx +++ b/api_docs/kbn_core_test_helpers_test_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-test-helpers-test-utils title: "@kbn/core-test-helpers-test-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-test-helpers-test-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-test-helpers-test-utils'] --- import kbnCoreTestHelpersTestUtilsObj from './kbn_core_test_helpers_test_utils.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser.mdx b/api_docs/kbn_core_theme_browser.mdx index b3360ac6a03be..33658eed7d8aa 100644 --- a/api_docs/kbn_core_theme_browser.mdx +++ b/api_docs/kbn_core_theme_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser title: "@kbn/core-theme-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser'] --- import kbnCoreThemeBrowserObj from './kbn_core_theme_browser.devdocs.json'; diff --git a/api_docs/kbn_core_theme_browser_mocks.mdx b/api_docs/kbn_core_theme_browser_mocks.mdx index b3ea8bad17ebb..fa03353c33599 100644 --- a/api_docs/kbn_core_theme_browser_mocks.mdx +++ b/api_docs/kbn_core_theme_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-theme-browser-mocks title: "@kbn/core-theme-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-theme-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-theme-browser-mocks'] --- import kbnCoreThemeBrowserMocksObj from './kbn_core_theme_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser.mdx b/api_docs/kbn_core_ui_settings_browser.mdx index 452988c698e4b..b9ed805384ce2 100644 --- a/api_docs/kbn_core_ui_settings_browser.mdx +++ b/api_docs/kbn_core_ui_settings_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser title: "@kbn/core-ui-settings-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser'] --- import kbnCoreUiSettingsBrowserObj from './kbn_core_ui_settings_browser.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_internal.mdx b/api_docs/kbn_core_ui_settings_browser_internal.mdx index d1adc97d16999..c9231a12befa8 100644 --- a/api_docs/kbn_core_ui_settings_browser_internal.mdx +++ b/api_docs/kbn_core_ui_settings_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-internal title: "@kbn/core-ui-settings-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-internal'] --- import kbnCoreUiSettingsBrowserInternalObj from './kbn_core_ui_settings_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_browser_mocks.mdx b/api_docs/kbn_core_ui_settings_browser_mocks.mdx index e734b983c601c..c9ac32bdfa369 100644 --- a/api_docs/kbn_core_ui_settings_browser_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-browser-mocks title: "@kbn/core-ui-settings-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-browser-mocks'] --- import kbnCoreUiSettingsBrowserMocksObj from './kbn_core_ui_settings_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_common.mdx b/api_docs/kbn_core_ui_settings_common.mdx index f015cd623c626..0e415fed8640d 100644 --- a/api_docs/kbn_core_ui_settings_common.mdx +++ b/api_docs/kbn_core_ui_settings_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-common title: "@kbn/core-ui-settings-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-common'] --- import kbnCoreUiSettingsCommonObj from './kbn_core_ui_settings_common.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server.mdx b/api_docs/kbn_core_ui_settings_server.mdx index a12e67e2e6e00..244b345e28691 100644 --- a/api_docs/kbn_core_ui_settings_server.mdx +++ b/api_docs/kbn_core_ui_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server title: "@kbn/core-ui-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server'] --- import kbnCoreUiSettingsServerObj from './kbn_core_ui_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_internal.mdx b/api_docs/kbn_core_ui_settings_server_internal.mdx index 83ee4a1a7f6f5..c434bfaf018bf 100644 --- a/api_docs/kbn_core_ui_settings_server_internal.mdx +++ b/api_docs/kbn_core_ui_settings_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-internal title: "@kbn/core-ui-settings-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-internal'] --- import kbnCoreUiSettingsServerInternalObj from './kbn_core_ui_settings_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_ui_settings_server_mocks.mdx b/api_docs/kbn_core_ui_settings_server_mocks.mdx index c2511de25892d..b4857b0e18994 100644 --- a/api_docs/kbn_core_ui_settings_server_mocks.mdx +++ b/api_docs/kbn_core_ui_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-ui-settings-server-mocks title: "@kbn/core-ui-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-ui-settings-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-ui-settings-server-mocks'] --- import kbnCoreUiSettingsServerMocksObj from './kbn_core_ui_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server.mdx b/api_docs/kbn_core_usage_data_server.mdx index 12854cbf35f1c..f6c12046e5d84 100644 --- a/api_docs/kbn_core_usage_data_server.mdx +++ b/api_docs/kbn_core_usage_data_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server title: "@kbn/core-usage-data-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server'] --- import kbnCoreUsageDataServerObj from './kbn_core_usage_data_server.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_internal.mdx b/api_docs/kbn_core_usage_data_server_internal.mdx index ff9bfff3c00df..0dcaccf80da71 100644 --- a/api_docs/kbn_core_usage_data_server_internal.mdx +++ b/api_docs/kbn_core_usage_data_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-internal title: "@kbn/core-usage-data-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-internal'] --- import kbnCoreUsageDataServerInternalObj from './kbn_core_usage_data_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_usage_data_server_mocks.mdx b/api_docs/kbn_core_usage_data_server_mocks.mdx index 1541491551be1..46c23bfc2e7fb 100644 --- a/api_docs/kbn_core_usage_data_server_mocks.mdx +++ b/api_docs/kbn_core_usage_data_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-usage-data-server-mocks title: "@kbn/core-usage-data-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-usage-data-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-usage-data-server-mocks'] --- import kbnCoreUsageDataServerMocksObj from './kbn_core_usage_data_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser.mdx b/api_docs/kbn_core_user_profile_browser.mdx index a48a6d4a602d6..ccec503dbeb9e 100644 --- a/api_docs/kbn_core_user_profile_browser.mdx +++ b/api_docs/kbn_core_user_profile_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser title: "@kbn/core-user-profile-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser'] --- import kbnCoreUserProfileBrowserObj from './kbn_core_user_profile_browser.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_internal.mdx b/api_docs/kbn_core_user_profile_browser_internal.mdx index eb72873a68f8a..530c6bff113c3 100644 --- a/api_docs/kbn_core_user_profile_browser_internal.mdx +++ b/api_docs/kbn_core_user_profile_browser_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-internal title: "@kbn/core-user-profile-browser-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-internal'] --- import kbnCoreUserProfileBrowserInternalObj from './kbn_core_user_profile_browser_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_browser_mocks.mdx b/api_docs/kbn_core_user_profile_browser_mocks.mdx index 4bc925bb493d7..a56865865ec4d 100644 --- a/api_docs/kbn_core_user_profile_browser_mocks.mdx +++ b/api_docs/kbn_core_user_profile_browser_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-browser-mocks title: "@kbn/core-user-profile-browser-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-browser-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-browser-mocks'] --- import kbnCoreUserProfileBrowserMocksObj from './kbn_core_user_profile_browser_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_common.mdx b/api_docs/kbn_core_user_profile_common.mdx index f4215a9a1beb9..ec5416d6f6529 100644 --- a/api_docs/kbn_core_user_profile_common.mdx +++ b/api_docs/kbn_core_user_profile_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-common title: "@kbn/core-user-profile-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-common'] --- import kbnCoreUserProfileCommonObj from './kbn_core_user_profile_common.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server.mdx b/api_docs/kbn_core_user_profile_server.mdx index de2858e8966e5..9a9d9239dcebd 100644 --- a/api_docs/kbn_core_user_profile_server.mdx +++ b/api_docs/kbn_core_user_profile_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server title: "@kbn/core-user-profile-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server'] --- import kbnCoreUserProfileServerObj from './kbn_core_user_profile_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_internal.mdx b/api_docs/kbn_core_user_profile_server_internal.mdx index df6162e450095..b6630b61e174b 100644 --- a/api_docs/kbn_core_user_profile_server_internal.mdx +++ b/api_docs/kbn_core_user_profile_server_internal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-internal title: "@kbn/core-user-profile-server-internal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-internal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-internal'] --- import kbnCoreUserProfileServerInternalObj from './kbn_core_user_profile_server_internal.devdocs.json'; diff --git a/api_docs/kbn_core_user_profile_server_mocks.mdx b/api_docs/kbn_core_user_profile_server_mocks.mdx index 860597053f047..095d0e047cdce 100644 --- a/api_docs/kbn_core_user_profile_server_mocks.mdx +++ b/api_docs/kbn_core_user_profile_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-profile-server-mocks title: "@kbn/core-user-profile-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-profile-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-profile-server-mocks'] --- import kbnCoreUserProfileServerMocksObj from './kbn_core_user_profile_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server.mdx b/api_docs/kbn_core_user_settings_server.mdx index b4062e4732901..63d76fb68a81d 100644 --- a/api_docs/kbn_core_user_settings_server.mdx +++ b/api_docs/kbn_core_user_settings_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server title: "@kbn/core-user-settings-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server'] --- import kbnCoreUserSettingsServerObj from './kbn_core_user_settings_server.devdocs.json'; diff --git a/api_docs/kbn_core_user_settings_server_mocks.mdx b/api_docs/kbn_core_user_settings_server_mocks.mdx index 94d5bbf605092..b5167ece5fd57 100644 --- a/api_docs/kbn_core_user_settings_server_mocks.mdx +++ b/api_docs/kbn_core_user_settings_server_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-core-user-settings-server-mocks title: "@kbn/core-user-settings-server-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/core-user-settings-server-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/core-user-settings-server-mocks'] --- import kbnCoreUserSettingsServerMocksObj from './kbn_core_user_settings_server_mocks.devdocs.json'; diff --git a/api_docs/kbn_crypto.mdx b/api_docs/kbn_crypto.mdx index c2587071643c8..6fabcab2ab0c2 100644 --- a/api_docs/kbn_crypto.mdx +++ b/api_docs/kbn_crypto.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto title: "@kbn/crypto" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto'] --- import kbnCryptoObj from './kbn_crypto.devdocs.json'; diff --git a/api_docs/kbn_crypto_browser.mdx b/api_docs/kbn_crypto_browser.mdx index 955e706f04fb9..d0a61cb00f37b 100644 --- a/api_docs/kbn_crypto_browser.mdx +++ b/api_docs/kbn_crypto_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-crypto-browser title: "@kbn/crypto-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/crypto-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/crypto-browser'] --- import kbnCryptoBrowserObj from './kbn_crypto_browser.devdocs.json'; diff --git a/api_docs/kbn_custom_icons.mdx b/api_docs/kbn_custom_icons.mdx index 5e38358f4dc8e..ada1c42e410dd 100644 --- a/api_docs/kbn_custom_icons.mdx +++ b/api_docs/kbn_custom_icons.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-icons title: "@kbn/custom-icons" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-icons plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-icons'] --- import kbnCustomIconsObj from './kbn_custom_icons.devdocs.json'; diff --git a/api_docs/kbn_custom_integrations.mdx b/api_docs/kbn_custom_integrations.mdx index 6bb2827e3e3bb..45d0bb4924edf 100644 --- a/api_docs/kbn_custom_integrations.mdx +++ b/api_docs/kbn_custom_integrations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-custom-integrations title: "@kbn/custom-integrations" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/custom-integrations plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/custom-integrations'] --- import kbnCustomIntegrationsObj from './kbn_custom_integrations.devdocs.json'; diff --git a/api_docs/kbn_cypress_config.mdx b/api_docs/kbn_cypress_config.mdx index cdc5b9fcb6a54..d9a979d059c12 100644 --- a/api_docs/kbn_cypress_config.mdx +++ b/api_docs/kbn_cypress_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-cypress-config title: "@kbn/cypress-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/cypress-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/cypress-config'] --- import kbnCypressConfigObj from './kbn_cypress_config.devdocs.json'; diff --git a/api_docs/kbn_data_forge.mdx b/api_docs/kbn_data_forge.mdx index 4304c4dce4e82..b1ab75bc090dd 100644 --- a/api_docs/kbn_data_forge.mdx +++ b/api_docs/kbn_data_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-forge title: "@kbn/data-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-forge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-forge'] --- import kbnDataForgeObj from './kbn_data_forge.devdocs.json'; diff --git a/api_docs/kbn_data_service.mdx b/api_docs/kbn_data_service.mdx index be0e460f4c852..4af8bb7e8e68d 100644 --- a/api_docs/kbn_data_service.mdx +++ b/api_docs/kbn_data_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-service title: "@kbn/data-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-service plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-service'] --- import kbnDataServiceObj from './kbn_data_service.devdocs.json'; diff --git a/api_docs/kbn_data_stream_adapter.mdx b/api_docs/kbn_data_stream_adapter.mdx index 50edbe6d01e15..f85f38eba39e5 100644 --- a/api_docs/kbn_data_stream_adapter.mdx +++ b/api_docs/kbn_data_stream_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-stream-adapter title: "@kbn/data-stream-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-stream-adapter plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-stream-adapter'] --- import kbnDataStreamAdapterObj from './kbn_data_stream_adapter.devdocs.json'; diff --git a/api_docs/kbn_data_view_utils.mdx b/api_docs/kbn_data_view_utils.mdx index 7b0c42383329a..64877d7306bb7 100644 --- a/api_docs/kbn_data_view_utils.mdx +++ b/api_docs/kbn_data_view_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-data-view-utils title: "@kbn/data-view-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/data-view-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/data-view-utils'] --- import kbnDataViewUtilsObj from './kbn_data_view_utils.devdocs.json'; diff --git a/api_docs/kbn_datemath.mdx b/api_docs/kbn_datemath.mdx index 6e78a864fd93c..ea3059ef2bb56 100644 --- a/api_docs/kbn_datemath.mdx +++ b/api_docs/kbn_datemath.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-datemath title: "@kbn/datemath" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/datemath plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/datemath'] --- import kbnDatemathObj from './kbn_datemath.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_analytics.mdx b/api_docs/kbn_deeplinks_analytics.mdx index f66930921fa60..76379a5dfa750 100644 --- a/api_docs/kbn_deeplinks_analytics.mdx +++ b/api_docs/kbn_deeplinks_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-analytics title: "@kbn/deeplinks-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-analytics plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-analytics'] --- import kbnDeeplinksAnalyticsObj from './kbn_deeplinks_analytics.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_devtools.mdx b/api_docs/kbn_deeplinks_devtools.mdx index 6c0af0612afb7..89ba9885cb8a0 100644 --- a/api_docs/kbn_deeplinks_devtools.mdx +++ b/api_docs/kbn_deeplinks_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-devtools title: "@kbn/deeplinks-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-devtools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-devtools'] --- import kbnDeeplinksDevtoolsObj from './kbn_deeplinks_devtools.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_fleet.mdx b/api_docs/kbn_deeplinks_fleet.mdx index 358c51c853d9c..136404ee0c6df 100644 --- a/api_docs/kbn_deeplinks_fleet.mdx +++ b/api_docs/kbn_deeplinks_fleet.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-fleet title: "@kbn/deeplinks-fleet" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-fleet plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-fleet'] --- import kbnDeeplinksFleetObj from './kbn_deeplinks_fleet.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_management.mdx b/api_docs/kbn_deeplinks_management.mdx index c123467b827d2..36a829be0e41b 100644 --- a/api_docs/kbn_deeplinks_management.mdx +++ b/api_docs/kbn_deeplinks_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-management title: "@kbn/deeplinks-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-management plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-management'] --- import kbnDeeplinksManagementObj from './kbn_deeplinks_management.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_ml.mdx b/api_docs/kbn_deeplinks_ml.mdx index 44d80bdb0b287..65bd281a41cef 100644 --- a/api_docs/kbn_deeplinks_ml.mdx +++ b/api_docs/kbn_deeplinks_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-ml title: "@kbn/deeplinks-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-ml plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-ml'] --- import kbnDeeplinksMlObj from './kbn_deeplinks_ml.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_observability.mdx b/api_docs/kbn_deeplinks_observability.mdx index aa57e6df6394d..4d2240191e6e9 100644 --- a/api_docs/kbn_deeplinks_observability.mdx +++ b/api_docs/kbn_deeplinks_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-observability title: "@kbn/deeplinks-observability" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-observability plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-observability'] --- import kbnDeeplinksObservabilityObj from './kbn_deeplinks_observability.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_search.mdx b/api_docs/kbn_deeplinks_search.mdx index 5ee037d8961dd..485c6ee29d0e9 100644 --- a/api_docs/kbn_deeplinks_search.mdx +++ b/api_docs/kbn_deeplinks_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-search title: "@kbn/deeplinks-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-search plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-search'] --- import kbnDeeplinksSearchObj from './kbn_deeplinks_search.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_security.mdx b/api_docs/kbn_deeplinks_security.mdx index ca066a4dcebf7..918afaa0294c6 100644 --- a/api_docs/kbn_deeplinks_security.mdx +++ b/api_docs/kbn_deeplinks_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-security title: "@kbn/deeplinks-security" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-security plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-security'] --- import kbnDeeplinksSecurityObj from './kbn_deeplinks_security.devdocs.json'; diff --git a/api_docs/kbn_deeplinks_shared.mdx b/api_docs/kbn_deeplinks_shared.mdx index 1e47e6f15aa12..7a1f6326f7e86 100644 --- a/api_docs/kbn_deeplinks_shared.mdx +++ b/api_docs/kbn_deeplinks_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-deeplinks-shared title: "@kbn/deeplinks-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/deeplinks-shared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/deeplinks-shared'] --- import kbnDeeplinksSharedObj from './kbn_deeplinks_shared.devdocs.json'; diff --git a/api_docs/kbn_default_nav_analytics.mdx b/api_docs/kbn_default_nav_analytics.mdx index 6754e7a7f0c1b..1f33e99ef9e52 100644 --- a/api_docs/kbn_default_nav_analytics.mdx +++ b/api_docs/kbn_default_nav_analytics.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-analytics title: "@kbn/default-nav-analytics" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-analytics plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-analytics'] --- import kbnDefaultNavAnalyticsObj from './kbn_default_nav_analytics.devdocs.json'; diff --git a/api_docs/kbn_default_nav_devtools.mdx b/api_docs/kbn_default_nav_devtools.mdx index 860c492dd2ed6..3ad00db0b6d6e 100644 --- a/api_docs/kbn_default_nav_devtools.mdx +++ b/api_docs/kbn_default_nav_devtools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-devtools title: "@kbn/default-nav-devtools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-devtools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-devtools'] --- import kbnDefaultNavDevtoolsObj from './kbn_default_nav_devtools.devdocs.json'; diff --git a/api_docs/kbn_default_nav_management.mdx b/api_docs/kbn_default_nav_management.mdx index dd5a293af9fe3..443d1aee620e1 100644 --- a/api_docs/kbn_default_nav_management.mdx +++ b/api_docs/kbn_default_nav_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-management title: "@kbn/default-nav-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-management plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-management'] --- import kbnDefaultNavManagementObj from './kbn_default_nav_management.devdocs.json'; diff --git a/api_docs/kbn_default_nav_ml.mdx b/api_docs/kbn_default_nav_ml.mdx index 273eb45b5ec5a..2074cb2fb139f 100644 --- a/api_docs/kbn_default_nav_ml.mdx +++ b/api_docs/kbn_default_nav_ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-default-nav-ml title: "@kbn/default-nav-ml" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/default-nav-ml plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/default-nav-ml'] --- import kbnDefaultNavMlObj from './kbn_default_nav_ml.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_errors.mdx b/api_docs/kbn_dev_cli_errors.mdx index 86dc19df1a0f6..61877463a584b 100644 --- a/api_docs/kbn_dev_cli_errors.mdx +++ b/api_docs/kbn_dev_cli_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-errors title: "@kbn/dev-cli-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-errors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-errors'] --- import kbnDevCliErrorsObj from './kbn_dev_cli_errors.devdocs.json'; diff --git a/api_docs/kbn_dev_cli_runner.mdx b/api_docs/kbn_dev_cli_runner.mdx index 2200ae5925eae..1dd59986cbfa1 100644 --- a/api_docs/kbn_dev_cli_runner.mdx +++ b/api_docs/kbn_dev_cli_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-cli-runner title: "@kbn/dev-cli-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-cli-runner plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-cli-runner'] --- import kbnDevCliRunnerObj from './kbn_dev_cli_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_proc_runner.mdx b/api_docs/kbn_dev_proc_runner.mdx index df915af3eef1a..25155c4cdfe47 100644 --- a/api_docs/kbn_dev_proc_runner.mdx +++ b/api_docs/kbn_dev_proc_runner.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-proc-runner title: "@kbn/dev-proc-runner" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-proc-runner plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-proc-runner'] --- import kbnDevProcRunnerObj from './kbn_dev_proc_runner.devdocs.json'; diff --git a/api_docs/kbn_dev_utils.mdx b/api_docs/kbn_dev_utils.mdx index dd25fe1f28c6c..7fd3d4cd6b251 100644 --- a/api_docs/kbn_dev_utils.mdx +++ b/api_docs/kbn_dev_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dev-utils title: "@kbn/dev-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dev-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dev-utils'] --- import kbnDevUtilsObj from './kbn_dev_utils.devdocs.json'; diff --git a/api_docs/kbn_discover_contextual_components.mdx b/api_docs/kbn_discover_contextual_components.mdx index f1a88913f1ffb..ce9f3ede100f6 100644 --- a/api_docs/kbn_discover_contextual_components.mdx +++ b/api_docs/kbn_discover_contextual_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-contextual-components title: "@kbn/discover-contextual-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-contextual-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-contextual-components'] --- import kbnDiscoverContextualComponentsObj from './kbn_discover_contextual_components.devdocs.json'; diff --git a/api_docs/kbn_discover_utils.mdx b/api_docs/kbn_discover_utils.mdx index dbe0b806a48c6..dbd213bea74aa 100644 --- a/api_docs/kbn_discover_utils.mdx +++ b/api_docs/kbn_discover_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-discover-utils title: "@kbn/discover-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/discover-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/discover-utils'] --- import kbnDiscoverUtilsObj from './kbn_discover_utils.devdocs.json'; diff --git a/api_docs/kbn_doc_links.mdx b/api_docs/kbn_doc_links.mdx index c0af493bd0026..bfbed4a209434 100644 --- a/api_docs/kbn_doc_links.mdx +++ b/api_docs/kbn_doc_links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-doc-links title: "@kbn/doc-links" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/doc-links plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/doc-links'] --- import kbnDocLinksObj from './kbn_doc_links.devdocs.json'; diff --git a/api_docs/kbn_docs_utils.mdx b/api_docs/kbn_docs_utils.mdx index 1b25fb168f974..9b05ef0bce0a4 100644 --- a/api_docs/kbn_docs_utils.mdx +++ b/api_docs/kbn_docs_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-docs-utils title: "@kbn/docs-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/docs-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/docs-utils'] --- import kbnDocsUtilsObj from './kbn_docs_utils.devdocs.json'; diff --git a/api_docs/kbn_dom_drag_drop.mdx b/api_docs/kbn_dom_drag_drop.mdx index 2ab6390c7bb45..1497170e7880e 100644 --- a/api_docs/kbn_dom_drag_drop.mdx +++ b/api_docs/kbn_dom_drag_drop.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-dom-drag-drop title: "@kbn/dom-drag-drop" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/dom-drag-drop plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/dom-drag-drop'] --- import kbnDomDragDropObj from './kbn_dom_drag_drop.devdocs.json'; diff --git a/api_docs/kbn_ebt_tools.mdx b/api_docs/kbn_ebt_tools.mdx index afc0bbf880140..c87ca81eb3273 100644 --- a/api_docs/kbn_ebt_tools.mdx +++ b/api_docs/kbn_ebt_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ebt-tools title: "@kbn/ebt-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ebt-tools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ebt-tools'] --- import kbnEbtToolsObj from './kbn_ebt_tools.devdocs.json'; diff --git a/api_docs/kbn_ecs_data_quality_dashboard.mdx b/api_docs/kbn_ecs_data_quality_dashboard.mdx index a24f8bb7d05e6..aa7be5339e200 100644 --- a/api_docs/kbn_ecs_data_quality_dashboard.mdx +++ b/api_docs/kbn_ecs_data_quality_dashboard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ecs-data-quality-dashboard title: "@kbn/ecs-data-quality-dashboard" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ecs-data-quality-dashboard plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ecs-data-quality-dashboard'] --- import kbnEcsDataQualityDashboardObj from './kbn_ecs_data_quality_dashboard.devdocs.json'; diff --git a/api_docs/kbn_elastic_agent_utils.mdx b/api_docs/kbn_elastic_agent_utils.mdx index 59b0ffa9301c2..611f555ac249f 100644 --- a/api_docs/kbn_elastic_agent_utils.mdx +++ b/api_docs/kbn_elastic_agent_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-agent-utils title: "@kbn/elastic-agent-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-agent-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-agent-utils'] --- import kbnElasticAgentUtilsObj from './kbn_elastic_agent_utils.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant.mdx b/api_docs/kbn_elastic_assistant.mdx index e1a1da8cc7f47..cc85aa598581d 100644 --- a/api_docs/kbn_elastic_assistant.mdx +++ b/api_docs/kbn_elastic_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant title: "@kbn/elastic-assistant" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant'] --- import kbnElasticAssistantObj from './kbn_elastic_assistant.devdocs.json'; diff --git a/api_docs/kbn_elastic_assistant_common.mdx b/api_docs/kbn_elastic_assistant_common.mdx index 8f40d3ecc3d88..5ca81477e01d1 100644 --- a/api_docs/kbn_elastic_assistant_common.mdx +++ b/api_docs/kbn_elastic_assistant_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-elastic-assistant-common title: "@kbn/elastic-assistant-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/elastic-assistant-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/elastic-assistant-common'] --- import kbnElasticAssistantCommonObj from './kbn_elastic_assistant_common.devdocs.json'; diff --git a/api_docs/kbn_entities_schema.mdx b/api_docs/kbn_entities_schema.mdx index 3c7261e76820f..5c5756ea4b9c5 100644 --- a/api_docs/kbn_entities_schema.mdx +++ b/api_docs/kbn_entities_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-entities-schema title: "@kbn/entities-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/entities-schema plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/entities-schema'] --- import kbnEntitiesSchemaObj from './kbn_entities_schema.devdocs.json'; diff --git a/api_docs/kbn_es.mdx b/api_docs/kbn_es.mdx index 97c8036bcc30f..c1b60a93ba378 100644 --- a/api_docs/kbn_es.mdx +++ b/api_docs/kbn_es.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es title: "@kbn/es" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es'] --- import kbnEsObj from './kbn_es.devdocs.json'; diff --git a/api_docs/kbn_es_archiver.mdx b/api_docs/kbn_es_archiver.mdx index c3c21b47f263f..7067a0329908a 100644 --- a/api_docs/kbn_es_archiver.mdx +++ b/api_docs/kbn_es_archiver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-archiver title: "@kbn/es-archiver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-archiver plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-archiver'] --- import kbnEsArchiverObj from './kbn_es_archiver.devdocs.json'; diff --git a/api_docs/kbn_es_errors.mdx b/api_docs/kbn_es_errors.mdx index f8560578b4326..a7748ebd14958 100644 --- a/api_docs/kbn_es_errors.mdx +++ b/api_docs/kbn_es_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-errors title: "@kbn/es-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-errors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-errors'] --- import kbnEsErrorsObj from './kbn_es_errors.devdocs.json'; diff --git a/api_docs/kbn_es_query.mdx b/api_docs/kbn_es_query.mdx index 506dd327c4367..cd944cf596111 100644 --- a/api_docs/kbn_es_query.mdx +++ b/api_docs/kbn_es_query.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-query title: "@kbn/es-query" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-query plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-query'] --- import kbnEsQueryObj from './kbn_es_query.devdocs.json'; diff --git a/api_docs/kbn_es_types.mdx b/api_docs/kbn_es_types.mdx index 4559d030913c2..fb51e3f283051 100644 --- a/api_docs/kbn_es_types.mdx +++ b/api_docs/kbn_es_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-es-types title: "@kbn/es-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/es-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/es-types'] --- import kbnEsTypesObj from './kbn_es_types.devdocs.json'; diff --git a/api_docs/kbn_eslint_plugin_imports.mdx b/api_docs/kbn_eslint_plugin_imports.mdx index c388ace695592..fe452c2191275 100644 --- a/api_docs/kbn_eslint_plugin_imports.mdx +++ b/api_docs/kbn_eslint_plugin_imports.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-eslint-plugin-imports title: "@kbn/eslint-plugin-imports" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/eslint-plugin-imports plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/eslint-plugin-imports'] --- import kbnEslintPluginImportsObj from './kbn_eslint_plugin_imports.devdocs.json'; diff --git a/api_docs/kbn_esql_ast.mdx b/api_docs/kbn_esql_ast.mdx index 1876abe29b7fb..ccee1aa9e11ff 100644 --- a/api_docs/kbn_esql_ast.mdx +++ b/api_docs/kbn_esql_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-ast title: "@kbn/esql-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-ast plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-ast'] --- import kbnEsqlAstObj from './kbn_esql_ast.devdocs.json'; diff --git a/api_docs/kbn_esql_editor.mdx b/api_docs/kbn_esql_editor.mdx index 23b108440f27c..ccd6a865d54bc 100644 --- a/api_docs/kbn_esql_editor.mdx +++ b/api_docs/kbn_esql_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-editor title: "@kbn/esql-editor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-editor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-editor'] --- import kbnEsqlEditorObj from './kbn_esql_editor.devdocs.json'; diff --git a/api_docs/kbn_esql_utils.mdx b/api_docs/kbn_esql_utils.mdx index 1eb871ddf5cea..21dfa187120e1 100644 --- a/api_docs/kbn_esql_utils.mdx +++ b/api_docs/kbn_esql_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-utils title: "@kbn/esql-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-utils'] --- import kbnEsqlUtilsObj from './kbn_esql_utils.devdocs.json'; diff --git a/api_docs/kbn_esql_validation_autocomplete.mdx b/api_docs/kbn_esql_validation_autocomplete.mdx index 7f229a6da5507..1a82133ef9809 100644 --- a/api_docs/kbn_esql_validation_autocomplete.mdx +++ b/api_docs/kbn_esql_validation_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-esql-validation-autocomplete title: "@kbn/esql-validation-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/esql-validation-autocomplete plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/esql-validation-autocomplete'] --- import kbnEsqlValidationAutocompleteObj from './kbn_esql_validation_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_common.mdx b/api_docs/kbn_event_annotation_common.mdx index 3a150c2801473..41f9b6127a4ea 100644 --- a/api_docs/kbn_event_annotation_common.mdx +++ b/api_docs/kbn_event_annotation_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-common title: "@kbn/event-annotation-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-common'] --- import kbnEventAnnotationCommonObj from './kbn_event_annotation_common.devdocs.json'; diff --git a/api_docs/kbn_event_annotation_components.mdx b/api_docs/kbn_event_annotation_components.mdx index 5305278a47c86..1e596a4fdfa92 100644 --- a/api_docs/kbn_event_annotation_components.mdx +++ b/api_docs/kbn_event_annotation_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-event-annotation-components title: "@kbn/event-annotation-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/event-annotation-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/event-annotation-components'] --- import kbnEventAnnotationComponentsObj from './kbn_event_annotation_components.devdocs.json'; diff --git a/api_docs/kbn_expandable_flyout.mdx b/api_docs/kbn_expandable_flyout.mdx index 40b511fcdbf54..318188031e382 100644 --- a/api_docs/kbn_expandable_flyout.mdx +++ b/api_docs/kbn_expandable_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-expandable-flyout title: "@kbn/expandable-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/expandable-flyout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/expandable-flyout'] --- import kbnExpandableFlyoutObj from './kbn_expandable_flyout.devdocs.json'; diff --git a/api_docs/kbn_field_types.mdx b/api_docs/kbn_field_types.mdx index 4a87b3ea3c906..4939f300882b4 100644 --- a/api_docs/kbn_field_types.mdx +++ b/api_docs/kbn_field_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-types title: "@kbn/field-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-types'] --- import kbnFieldTypesObj from './kbn_field_types.devdocs.json'; diff --git a/api_docs/kbn_field_utils.mdx b/api_docs/kbn_field_utils.mdx index a049941572a64..3865ac33065d3 100644 --- a/api_docs/kbn_field_utils.mdx +++ b/api_docs/kbn_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-field-utils title: "@kbn/field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/field-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/field-utils'] --- import kbnFieldUtilsObj from './kbn_field_utils.devdocs.json'; diff --git a/api_docs/kbn_find_used_node_modules.mdx b/api_docs/kbn_find_used_node_modules.mdx index a47ef9b55260c..24e3d19c86bca 100644 --- a/api_docs/kbn_find_used_node_modules.mdx +++ b/api_docs/kbn_find_used_node_modules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-find-used-node-modules title: "@kbn/find-used-node-modules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/find-used-node-modules plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/find-used-node-modules'] --- import kbnFindUsedNodeModulesObj from './kbn_find_used_node_modules.devdocs.json'; diff --git a/api_docs/kbn_formatters.mdx b/api_docs/kbn_formatters.mdx index 0dbcfbd721456..e32ef39fe09f4 100644 --- a/api_docs/kbn_formatters.mdx +++ b/api_docs/kbn_formatters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-formatters title: "@kbn/formatters" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/formatters plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/formatters'] --- import kbnFormattersObj from './kbn_formatters.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_services.mdx b/api_docs/kbn_ftr_common_functional_services.mdx index 8ba2e2c1890e8..b93c445f9a1a1 100644 --- a/api_docs/kbn_ftr_common_functional_services.mdx +++ b/api_docs/kbn_ftr_common_functional_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-services title: "@kbn/ftr-common-functional-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-services plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-services'] --- import kbnFtrCommonFunctionalServicesObj from './kbn_ftr_common_functional_services.devdocs.json'; diff --git a/api_docs/kbn_ftr_common_functional_ui_services.mdx b/api_docs/kbn_ftr_common_functional_ui_services.mdx index a1517266e1e94..a9838368c6d93 100644 --- a/api_docs/kbn_ftr_common_functional_ui_services.mdx +++ b/api_docs/kbn_ftr_common_functional_ui_services.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ftr-common-functional-ui-services title: "@kbn/ftr-common-functional-ui-services" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ftr-common-functional-ui-services plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ftr-common-functional-ui-services'] --- import kbnFtrCommonFunctionalUiServicesObj from './kbn_ftr_common_functional_ui_services.devdocs.json'; diff --git a/api_docs/kbn_gen_ai_functional_testing.mdx b/api_docs/kbn_gen_ai_functional_testing.mdx index d66f75aa98172..9417b92676e19 100644 --- a/api_docs/kbn_gen_ai_functional_testing.mdx +++ b/api_docs/kbn_gen_ai_functional_testing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-gen-ai-functional-testing title: "@kbn/gen-ai-functional-testing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/gen-ai-functional-testing plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/gen-ai-functional-testing'] --- import kbnGenAiFunctionalTestingObj from './kbn_gen_ai_functional_testing.devdocs.json'; diff --git a/api_docs/kbn_generate.mdx b/api_docs/kbn_generate.mdx index 7d37e8f380cef..c2412978a15d0 100644 --- a/api_docs/kbn_generate.mdx +++ b/api_docs/kbn_generate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate title: "@kbn/generate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate'] --- import kbnGenerateObj from './kbn_generate.devdocs.json'; diff --git a/api_docs/kbn_generate_console_definitions.mdx b/api_docs/kbn_generate_console_definitions.mdx index e86dc34f8aa04..d6065eff7ff05 100644 --- a/api_docs/kbn_generate_console_definitions.mdx +++ b/api_docs/kbn_generate_console_definitions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-console-definitions title: "@kbn/generate-console-definitions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-console-definitions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-console-definitions'] --- import kbnGenerateConsoleDefinitionsObj from './kbn_generate_console_definitions.devdocs.json'; diff --git a/api_docs/kbn_generate_csv.mdx b/api_docs/kbn_generate_csv.mdx index 3268d4e879c16..830c540bb60b7 100644 --- a/api_docs/kbn_generate_csv.mdx +++ b/api_docs/kbn_generate_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-generate-csv title: "@kbn/generate-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/generate-csv plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/generate-csv'] --- import kbnGenerateCsvObj from './kbn_generate_csv.devdocs.json'; diff --git a/api_docs/kbn_grid_layout.mdx b/api_docs/kbn_grid_layout.mdx index 6c905576c2619..6bd1bad217488 100644 --- a/api_docs/kbn_grid_layout.mdx +++ b/api_docs/kbn_grid_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grid-layout title: "@kbn/grid-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grid-layout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grid-layout'] --- import kbnGridLayoutObj from './kbn_grid_layout.devdocs.json'; diff --git a/api_docs/kbn_grouping.mdx b/api_docs/kbn_grouping.mdx index 9e77e7f83b7d0..12b50c27328a1 100644 --- a/api_docs/kbn_grouping.mdx +++ b/api_docs/kbn_grouping.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-grouping title: "@kbn/grouping" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/grouping plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/grouping'] --- import kbnGroupingObj from './kbn_grouping.devdocs.json'; diff --git a/api_docs/kbn_guided_onboarding.mdx b/api_docs/kbn_guided_onboarding.mdx index def52d41eb98e..49314c26387a7 100644 --- a/api_docs/kbn_guided_onboarding.mdx +++ b/api_docs/kbn_guided_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-guided-onboarding title: "@kbn/guided-onboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/guided-onboarding plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/guided-onboarding'] --- import kbnGuidedOnboardingObj from './kbn_guided_onboarding.devdocs.json'; diff --git a/api_docs/kbn_handlebars.mdx b/api_docs/kbn_handlebars.mdx index 08c3a8c7f6ff9..290f201e9b3ae 100644 --- a/api_docs/kbn_handlebars.mdx +++ b/api_docs/kbn_handlebars.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-handlebars title: "@kbn/handlebars" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/handlebars plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/handlebars'] --- import kbnHandlebarsObj from './kbn_handlebars.devdocs.json'; diff --git a/api_docs/kbn_hapi_mocks.mdx b/api_docs/kbn_hapi_mocks.mdx index a4e2f9e5f0c4b..bdf753063c61e 100644 --- a/api_docs/kbn_hapi_mocks.mdx +++ b/api_docs/kbn_hapi_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-hapi-mocks title: "@kbn/hapi-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/hapi-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/hapi-mocks'] --- import kbnHapiMocksObj from './kbn_hapi_mocks.devdocs.json'; diff --git a/api_docs/kbn_health_gateway_server.mdx b/api_docs/kbn_health_gateway_server.mdx index 3f3841ee58b6f..4be7c58db58e7 100644 --- a/api_docs/kbn_health_gateway_server.mdx +++ b/api_docs/kbn_health_gateway_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-health-gateway-server title: "@kbn/health-gateway-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/health-gateway-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/health-gateway-server'] --- import kbnHealthGatewayServerObj from './kbn_health_gateway_server.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_card.mdx b/api_docs/kbn_home_sample_data_card.mdx index e9ab6914bddcc..cdb67fc652704 100644 --- a/api_docs/kbn_home_sample_data_card.mdx +++ b/api_docs/kbn_home_sample_data_card.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-card title: "@kbn/home-sample-data-card" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-card plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-card'] --- import kbnHomeSampleDataCardObj from './kbn_home_sample_data_card.devdocs.json'; diff --git a/api_docs/kbn_home_sample_data_tab.mdx b/api_docs/kbn_home_sample_data_tab.mdx index fe3c7bdbaeced..037e1bcabf705 100644 --- a/api_docs/kbn_home_sample_data_tab.mdx +++ b/api_docs/kbn_home_sample_data_tab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-home-sample-data-tab title: "@kbn/home-sample-data-tab" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/home-sample-data-tab plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/home-sample-data-tab'] --- import kbnHomeSampleDataTabObj from './kbn_home_sample_data_tab.devdocs.json'; diff --git a/api_docs/kbn_i18n.mdx b/api_docs/kbn_i18n.mdx index 1494eb2eb6d61..a903bab23b83b 100644 --- a/api_docs/kbn_i18n.mdx +++ b/api_docs/kbn_i18n.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n title: "@kbn/i18n" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n'] --- import kbnI18nObj from './kbn_i18n.devdocs.json'; diff --git a/api_docs/kbn_i18n_react.mdx b/api_docs/kbn_i18n_react.mdx index d5f033a92cd93..50d3a0e5084aa 100644 --- a/api_docs/kbn_i18n_react.mdx +++ b/api_docs/kbn_i18n_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-i18n-react title: "@kbn/i18n-react" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/i18n-react plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/i18n-react'] --- import kbnI18nReactObj from './kbn_i18n_react.devdocs.json'; diff --git a/api_docs/kbn_import_resolver.mdx b/api_docs/kbn_import_resolver.mdx index de7d5b712f452..a09f611205fb1 100644 --- a/api_docs/kbn_import_resolver.mdx +++ b/api_docs/kbn_import_resolver.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-import-resolver title: "@kbn/import-resolver" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/import-resolver plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/import-resolver'] --- import kbnImportResolverObj from './kbn_import_resolver.devdocs.json'; diff --git a/api_docs/kbn_index_adapter.mdx b/api_docs/kbn_index_adapter.mdx index 5a37624231023..b4d2074120c1d 100644 --- a/api_docs/kbn_index_adapter.mdx +++ b/api_docs/kbn_index_adapter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-adapter title: "@kbn/index-adapter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-adapter plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-adapter'] --- import kbnIndexAdapterObj from './kbn_index_adapter.devdocs.json'; diff --git a/api_docs/kbn_index_lifecycle_management_common_shared.mdx b/api_docs/kbn_index_lifecycle_management_common_shared.mdx index a80b3d14a5303..b18b1fceba1a1 100644 --- a/api_docs/kbn_index_lifecycle_management_common_shared.mdx +++ b/api_docs/kbn_index_lifecycle_management_common_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-lifecycle-management-common-shared title: "@kbn/index-lifecycle-management-common-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-lifecycle-management-common-shared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-lifecycle-management-common-shared'] --- import kbnIndexLifecycleManagementCommonSharedObj from './kbn_index_lifecycle_management_common_shared.devdocs.json'; diff --git a/api_docs/kbn_index_management_shared_types.mdx b/api_docs/kbn_index_management_shared_types.mdx index fde9a9eb88081..db89d62eda113 100644 --- a/api_docs/kbn_index_management_shared_types.mdx +++ b/api_docs/kbn_index_management_shared_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-index-management-shared-types title: "@kbn/index-management-shared-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/index-management-shared-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/index-management-shared-types'] --- import kbnIndexManagementSharedTypesObj from './kbn_index_management_shared_types.devdocs.json'; diff --git a/api_docs/kbn_inference_common.mdx b/api_docs/kbn_inference_common.mdx index 55afc59db161e..702ea56f513c4 100644 --- a/api_docs/kbn_inference_common.mdx +++ b/api_docs/kbn_inference_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference-common title: "@kbn/inference-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference-common'] --- import kbnInferenceCommonObj from './kbn_inference_common.devdocs.json'; diff --git a/api_docs/kbn_inference_integration_flyout.mdx b/api_docs/kbn_inference_integration_flyout.mdx index e7d0dc414b08c..514ec4eca0f1a 100644 --- a/api_docs/kbn_inference_integration_flyout.mdx +++ b/api_docs/kbn_inference_integration_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-inference_integration_flyout title: "@kbn/inference_integration_flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/inference_integration_flyout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/inference_integration_flyout'] --- import kbnInferenceIntegrationFlyoutObj from './kbn_inference_integration_flyout.devdocs.json'; diff --git a/api_docs/kbn_infra_forge.mdx b/api_docs/kbn_infra_forge.mdx index 8d07d785dbe2f..7279c332c2955 100644 --- a/api_docs/kbn_infra_forge.mdx +++ b/api_docs/kbn_infra_forge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-infra-forge title: "@kbn/infra-forge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/infra-forge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/infra-forge'] --- import kbnInfraForgeObj from './kbn_infra_forge.devdocs.json'; diff --git a/api_docs/kbn_interpreter.mdx b/api_docs/kbn_interpreter.mdx index 84f639850fa88..b4576c08eb28b 100644 --- a/api_docs/kbn_interpreter.mdx +++ b/api_docs/kbn_interpreter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-interpreter title: "@kbn/interpreter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/interpreter plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/interpreter'] --- import kbnInterpreterObj from './kbn_interpreter.devdocs.json'; diff --git a/api_docs/kbn_investigation_shared.mdx b/api_docs/kbn_investigation_shared.mdx index 65a863a6b6c68..197b7ea11f0dc 100644 --- a/api_docs/kbn_investigation_shared.mdx +++ b/api_docs/kbn_investigation_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-investigation-shared title: "@kbn/investigation-shared" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/investigation-shared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/investigation-shared'] --- import kbnInvestigationSharedObj from './kbn_investigation_shared.devdocs.json'; diff --git a/api_docs/kbn_io_ts_utils.mdx b/api_docs/kbn_io_ts_utils.mdx index 63575433295d8..1dd44794b94fa 100644 --- a/api_docs/kbn_io_ts_utils.mdx +++ b/api_docs/kbn_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-io-ts-utils title: "@kbn/io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/io-ts-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/io-ts-utils'] --- import kbnIoTsUtilsObj from './kbn_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_ipynb.mdx b/api_docs/kbn_ipynb.mdx index f7012d248d339..7ae9ae44babc4 100644 --- a/api_docs/kbn_ipynb.mdx +++ b/api_docs/kbn_ipynb.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ipynb title: "@kbn/ipynb" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ipynb plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ipynb'] --- import kbnIpynbObj from './kbn_ipynb.devdocs.json'; diff --git a/api_docs/kbn_item_buffer.mdx b/api_docs/kbn_item_buffer.mdx index 677157eda2bac..028c8ecf62885 100644 --- a/api_docs/kbn_item_buffer.mdx +++ b/api_docs/kbn_item_buffer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-item-buffer title: "@kbn/item-buffer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/item-buffer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/item-buffer'] --- import kbnItemBufferObj from './kbn_item_buffer.devdocs.json'; diff --git a/api_docs/kbn_jest_serializers.mdx b/api_docs/kbn_jest_serializers.mdx index 7748199cc6c48..81e43f4cb62b8 100644 --- a/api_docs/kbn_jest_serializers.mdx +++ b/api_docs/kbn_jest_serializers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-jest-serializers title: "@kbn/jest-serializers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/jest-serializers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/jest-serializers'] --- import kbnJestSerializersObj from './kbn_jest_serializers.devdocs.json'; diff --git a/api_docs/kbn_journeys.mdx b/api_docs/kbn_journeys.mdx index 8f4a4e7f86867..d9135d21527a6 100644 --- a/api_docs/kbn_journeys.mdx +++ b/api_docs/kbn_journeys.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-journeys title: "@kbn/journeys" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/journeys plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/journeys'] --- import kbnJourneysObj from './kbn_journeys.devdocs.json'; diff --git a/api_docs/kbn_json_ast.mdx b/api_docs/kbn_json_ast.mdx index 9dfdbabcf3235..f589c6e2b8ab5 100644 --- a/api_docs/kbn_json_ast.mdx +++ b/api_docs/kbn_json_ast.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-ast title: "@kbn/json-ast" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-ast plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-ast'] --- import kbnJsonAstObj from './kbn_json_ast.devdocs.json'; diff --git a/api_docs/kbn_json_schemas.mdx b/api_docs/kbn_json_schemas.mdx index c4b087c3689a5..8270973788854 100644 --- a/api_docs/kbn_json_schemas.mdx +++ b/api_docs/kbn_json_schemas.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-json-schemas title: "@kbn/json-schemas" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/json-schemas plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/json-schemas'] --- import kbnJsonSchemasObj from './kbn_json_schemas.devdocs.json'; diff --git a/api_docs/kbn_kibana_manifest_schema.mdx b/api_docs/kbn_kibana_manifest_schema.mdx index fe7f7c1074d28..b5c76767898dc 100644 --- a/api_docs/kbn_kibana_manifest_schema.mdx +++ b/api_docs/kbn_kibana_manifest_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-kibana-manifest-schema title: "@kbn/kibana-manifest-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/kibana-manifest-schema plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/kibana-manifest-schema'] --- import kbnKibanaManifestSchemaObj from './kbn_kibana_manifest_schema.devdocs.json'; diff --git a/api_docs/kbn_language_documentation.mdx b/api_docs/kbn_language_documentation.mdx index ca3c4573d74d0..36f63433fce0b 100644 --- a/api_docs/kbn_language_documentation.mdx +++ b/api_docs/kbn_language_documentation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-language-documentation title: "@kbn/language-documentation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/language-documentation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/language-documentation'] --- import kbnLanguageDocumentationObj from './kbn_language_documentation.devdocs.json'; diff --git a/api_docs/kbn_lens_embeddable_utils.mdx b/api_docs/kbn_lens_embeddable_utils.mdx index 312238ddb723c..4dfdb53fba4cf 100644 --- a/api_docs/kbn_lens_embeddable_utils.mdx +++ b/api_docs/kbn_lens_embeddable_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-embeddable-utils title: "@kbn/lens-embeddable-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-embeddable-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-embeddable-utils'] --- import kbnLensEmbeddableUtilsObj from './kbn_lens_embeddable_utils.devdocs.json'; diff --git a/api_docs/kbn_lens_formula_docs.mdx b/api_docs/kbn_lens_formula_docs.mdx index 1021e00d2c8bd..7333945f3d32c 100644 --- a/api_docs/kbn_lens_formula_docs.mdx +++ b/api_docs/kbn_lens_formula_docs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-lens-formula-docs title: "@kbn/lens-formula-docs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/lens-formula-docs plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/lens-formula-docs'] --- import kbnLensFormulaDocsObj from './kbn_lens_formula_docs.devdocs.json'; diff --git a/api_docs/kbn_logging.mdx b/api_docs/kbn_logging.mdx index fd1975296396d..e73937d5df0a5 100644 --- a/api_docs/kbn_logging.mdx +++ b/api_docs/kbn_logging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging title: "@kbn/logging" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging'] --- import kbnLoggingObj from './kbn_logging.devdocs.json'; diff --git a/api_docs/kbn_logging_mocks.mdx b/api_docs/kbn_logging_mocks.mdx index 89491b41cdb5e..b361c0c5423d5 100644 --- a/api_docs/kbn_logging_mocks.mdx +++ b/api_docs/kbn_logging_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-logging-mocks title: "@kbn/logging-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/logging-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/logging-mocks'] --- import kbnLoggingMocksObj from './kbn_logging_mocks.devdocs.json'; diff --git a/api_docs/kbn_managed_content_badge.mdx b/api_docs/kbn_managed_content_badge.mdx index 4350fecc001dd..eddc5f0a66b10 100644 --- a/api_docs/kbn_managed_content_badge.mdx +++ b/api_docs/kbn_managed_content_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-content-badge title: "@kbn/managed-content-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-content-badge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-content-badge'] --- import kbnManagedContentBadgeObj from './kbn_managed_content_badge.devdocs.json'; diff --git a/api_docs/kbn_managed_vscode_config.mdx b/api_docs/kbn_managed_vscode_config.mdx index a4877ec87ec3a..951f9ffb1b62e 100644 --- a/api_docs/kbn_managed_vscode_config.mdx +++ b/api_docs/kbn_managed_vscode_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-managed-vscode-config title: "@kbn/managed-vscode-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/managed-vscode-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/managed-vscode-config'] --- import kbnManagedVscodeConfigObj from './kbn_managed_vscode_config.devdocs.json'; diff --git a/api_docs/kbn_management_cards_navigation.mdx b/api_docs/kbn_management_cards_navigation.mdx index 54c81d088cf82..9ade8488ee57f 100644 --- a/api_docs/kbn_management_cards_navigation.mdx +++ b/api_docs/kbn_management_cards_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-cards-navigation title: "@kbn/management-cards-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-cards-navigation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-cards-navigation'] --- import kbnManagementCardsNavigationObj from './kbn_management_cards_navigation.devdocs.json'; diff --git a/api_docs/kbn_management_settings_application.mdx b/api_docs/kbn_management_settings_application.mdx index 5fb67678727c6..b8df6c8f2afda 100644 --- a/api_docs/kbn_management_settings_application.mdx +++ b/api_docs/kbn_management_settings_application.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-application title: "@kbn/management-settings-application" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-application plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-application'] --- import kbnManagementSettingsApplicationObj from './kbn_management_settings_application.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_category.mdx b/api_docs/kbn_management_settings_components_field_category.mdx index f902cc6188622..f6fd45f57b850 100644 --- a/api_docs/kbn_management_settings_components_field_category.mdx +++ b/api_docs/kbn_management_settings_components_field_category.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-category title: "@kbn/management-settings-components-field-category" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-category plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-category'] --- import kbnManagementSettingsComponentsFieldCategoryObj from './kbn_management_settings_components_field_category.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_input.mdx b/api_docs/kbn_management_settings_components_field_input.mdx index fd5dcd2c522e0..c266494038444 100644 --- a/api_docs/kbn_management_settings_components_field_input.mdx +++ b/api_docs/kbn_management_settings_components_field_input.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-input title: "@kbn/management-settings-components-field-input" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-input plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-input'] --- import kbnManagementSettingsComponentsFieldInputObj from './kbn_management_settings_components_field_input.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_field_row.mdx b/api_docs/kbn_management_settings_components_field_row.mdx index bd15b8ca6d508..11e813878ee2a 100644 --- a/api_docs/kbn_management_settings_components_field_row.mdx +++ b/api_docs/kbn_management_settings_components_field_row.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-field-row title: "@kbn/management-settings-components-field-row" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-field-row plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-field-row'] --- import kbnManagementSettingsComponentsFieldRowObj from './kbn_management_settings_components_field_row.devdocs.json'; diff --git a/api_docs/kbn_management_settings_components_form.mdx b/api_docs/kbn_management_settings_components_form.mdx index 954f01aad7897..c0b1aae2f65ba 100644 --- a/api_docs/kbn_management_settings_components_form.mdx +++ b/api_docs/kbn_management_settings_components_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-components-form title: "@kbn/management-settings-components-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-components-form plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-components-form'] --- import kbnManagementSettingsComponentsFormObj from './kbn_management_settings_components_form.devdocs.json'; diff --git a/api_docs/kbn_management_settings_field_definition.mdx b/api_docs/kbn_management_settings_field_definition.mdx index e12e004a35f0d..219b0db55c523 100644 --- a/api_docs/kbn_management_settings_field_definition.mdx +++ b/api_docs/kbn_management_settings_field_definition.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-field-definition title: "@kbn/management-settings-field-definition" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-field-definition plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-field-definition'] --- import kbnManagementSettingsFieldDefinitionObj from './kbn_management_settings_field_definition.devdocs.json'; diff --git a/api_docs/kbn_management_settings_ids.mdx b/api_docs/kbn_management_settings_ids.mdx index 76fe7ddf0faa5..842b52c99b28c 100644 --- a/api_docs/kbn_management_settings_ids.mdx +++ b/api_docs/kbn_management_settings_ids.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-ids title: "@kbn/management-settings-ids" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-ids plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-ids'] --- import kbnManagementSettingsIdsObj from './kbn_management_settings_ids.devdocs.json'; diff --git a/api_docs/kbn_management_settings_section_registry.mdx b/api_docs/kbn_management_settings_section_registry.mdx index 599944dcf9e97..4a2a6de3a7f58 100644 --- a/api_docs/kbn_management_settings_section_registry.mdx +++ b/api_docs/kbn_management_settings_section_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-section-registry title: "@kbn/management-settings-section-registry" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-section-registry plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-section-registry'] --- import kbnManagementSettingsSectionRegistryObj from './kbn_management_settings_section_registry.devdocs.json'; diff --git a/api_docs/kbn_management_settings_types.mdx b/api_docs/kbn_management_settings_types.mdx index 3e998cf807836..4e5711765a1dd 100644 --- a/api_docs/kbn_management_settings_types.mdx +++ b/api_docs/kbn_management_settings_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-types title: "@kbn/management-settings-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-types'] --- import kbnManagementSettingsTypesObj from './kbn_management_settings_types.devdocs.json'; diff --git a/api_docs/kbn_management_settings_utilities.mdx b/api_docs/kbn_management_settings_utilities.mdx index e74c79dc75a81..2de67bfdcf255 100644 --- a/api_docs/kbn_management_settings_utilities.mdx +++ b/api_docs/kbn_management_settings_utilities.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-settings-utilities title: "@kbn/management-settings-utilities" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-settings-utilities plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-settings-utilities'] --- import kbnManagementSettingsUtilitiesObj from './kbn_management_settings_utilities.devdocs.json'; diff --git a/api_docs/kbn_management_storybook_config.mdx b/api_docs/kbn_management_storybook_config.mdx index bfd851d65720c..9a7d2b5f07b22 100644 --- a/api_docs/kbn_management_storybook_config.mdx +++ b/api_docs/kbn_management_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-management-storybook-config title: "@kbn/management-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/management-storybook-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/management-storybook-config'] --- import kbnManagementStorybookConfigObj from './kbn_management_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_manifest.mdx b/api_docs/kbn_manifest.mdx index ed00a057d4b79..028c7392eaae6 100644 --- a/api_docs/kbn_manifest.mdx +++ b/api_docs/kbn_manifest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-manifest title: "@kbn/manifest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/manifest plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/manifest'] --- import kbnManifestObj from './kbn_manifest.devdocs.json'; diff --git a/api_docs/kbn_mapbox_gl.mdx b/api_docs/kbn_mapbox_gl.mdx index 5329b287cf41a..08264ee5bbafe 100644 --- a/api_docs/kbn_mapbox_gl.mdx +++ b/api_docs/kbn_mapbox_gl.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mapbox-gl title: "@kbn/mapbox-gl" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mapbox-gl plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mapbox-gl'] --- import kbnMapboxGlObj from './kbn_mapbox_gl.devdocs.json'; diff --git a/api_docs/kbn_maps_vector_tile_utils.mdx b/api_docs/kbn_maps_vector_tile_utils.mdx index e8ef3ae422425..9ae49d7ce0efa 100644 --- a/api_docs/kbn_maps_vector_tile_utils.mdx +++ b/api_docs/kbn_maps_vector_tile_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-maps-vector-tile-utils title: "@kbn/maps-vector-tile-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/maps-vector-tile-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/maps-vector-tile-utils'] --- import kbnMapsVectorTileUtilsObj from './kbn_maps_vector_tile_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_agg_utils.mdx b/api_docs/kbn_ml_agg_utils.mdx index ca8771a453015..4a5a3c029ed0e 100644 --- a/api_docs/kbn_ml_agg_utils.mdx +++ b/api_docs/kbn_ml_agg_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-agg-utils title: "@kbn/ml-agg-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-agg-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-agg-utils'] --- import kbnMlAggUtilsObj from './kbn_ml_agg_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_anomaly_utils.mdx b/api_docs/kbn_ml_anomaly_utils.mdx index bdc5b04b162b4..1f294fc11c3af 100644 --- a/api_docs/kbn_ml_anomaly_utils.mdx +++ b/api_docs/kbn_ml_anomaly_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-anomaly-utils title: "@kbn/ml-anomaly-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-anomaly-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-anomaly-utils'] --- import kbnMlAnomalyUtilsObj from './kbn_ml_anomaly_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_cancellable_search.mdx b/api_docs/kbn_ml_cancellable_search.mdx index d4063b1bf6970..46f5470f8356a 100644 --- a/api_docs/kbn_ml_cancellable_search.mdx +++ b/api_docs/kbn_ml_cancellable_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-cancellable-search title: "@kbn/ml-cancellable-search" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-cancellable-search plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-cancellable-search'] --- import kbnMlCancellableSearchObj from './kbn_ml_cancellable_search.devdocs.json'; diff --git a/api_docs/kbn_ml_category_validator.mdx b/api_docs/kbn_ml_category_validator.mdx index 1b6a692b55d6d..8141a358ec3e3 100644 --- a/api_docs/kbn_ml_category_validator.mdx +++ b/api_docs/kbn_ml_category_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-category-validator title: "@kbn/ml-category-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-category-validator plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-category-validator'] --- import kbnMlCategoryValidatorObj from './kbn_ml_category_validator.devdocs.json'; diff --git a/api_docs/kbn_ml_chi2test.mdx b/api_docs/kbn_ml_chi2test.mdx index e04f4dd447e28..49d63102ace65 100644 --- a/api_docs/kbn_ml_chi2test.mdx +++ b/api_docs/kbn_ml_chi2test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-chi2test title: "@kbn/ml-chi2test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-chi2test plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-chi2test'] --- import kbnMlChi2testObj from './kbn_ml_chi2test.devdocs.json'; diff --git a/api_docs/kbn_ml_data_frame_analytics_utils.mdx b/api_docs/kbn_ml_data_frame_analytics_utils.mdx index 890490143cbc2..50b0eb9739391 100644 --- a/api_docs/kbn_ml_data_frame_analytics_utils.mdx +++ b/api_docs/kbn_ml_data_frame_analytics_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-frame-analytics-utils title: "@kbn/ml-data-frame-analytics-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-frame-analytics-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-frame-analytics-utils'] --- import kbnMlDataFrameAnalyticsUtilsObj from './kbn_ml_data_frame_analytics_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_data_grid.mdx b/api_docs/kbn_ml_data_grid.mdx index f431ca931d29a..bde65283e2e92 100644 --- a/api_docs/kbn_ml_data_grid.mdx +++ b/api_docs/kbn_ml_data_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-data-grid title: "@kbn/ml-data-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-data-grid plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-data-grid'] --- import kbnMlDataGridObj from './kbn_ml_data_grid.devdocs.json'; diff --git a/api_docs/kbn_ml_date_picker.mdx b/api_docs/kbn_ml_date_picker.mdx index 27d82bd94026a..846f1e25db88f 100644 --- a/api_docs/kbn_ml_date_picker.mdx +++ b/api_docs/kbn_ml_date_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-picker title: "@kbn/ml-date-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-picker plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-picker'] --- import kbnMlDatePickerObj from './kbn_ml_date_picker.devdocs.json'; diff --git a/api_docs/kbn_ml_date_utils.mdx b/api_docs/kbn_ml_date_utils.mdx index 4856e8a1eca70..bf05a3360a478 100644 --- a/api_docs/kbn_ml_date_utils.mdx +++ b/api_docs/kbn_ml_date_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-date-utils title: "@kbn/ml-date-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-date-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-date-utils'] --- import kbnMlDateUtilsObj from './kbn_ml_date_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_error_utils.mdx b/api_docs/kbn_ml_error_utils.mdx index ceee1ba563654..19d7b22274ee9 100644 --- a/api_docs/kbn_ml_error_utils.mdx +++ b/api_docs/kbn_ml_error_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-error-utils title: "@kbn/ml-error-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-error-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-error-utils'] --- import kbnMlErrorUtilsObj from './kbn_ml_error_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_field_stats_flyout.mdx b/api_docs/kbn_ml_field_stats_flyout.mdx index 0725342786287..8f10d0839ceba 100644 --- a/api_docs/kbn_ml_field_stats_flyout.mdx +++ b/api_docs/kbn_ml_field_stats_flyout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-field-stats-flyout title: "@kbn/ml-field-stats-flyout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-field-stats-flyout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-field-stats-flyout'] --- import kbnMlFieldStatsFlyoutObj from './kbn_ml_field_stats_flyout.devdocs.json'; diff --git a/api_docs/kbn_ml_in_memory_table.mdx b/api_docs/kbn_ml_in_memory_table.mdx index fc8e46fbc914e..5c5f5c60992fb 100644 --- a/api_docs/kbn_ml_in_memory_table.mdx +++ b/api_docs/kbn_ml_in_memory_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-in-memory-table title: "@kbn/ml-in-memory-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-in-memory-table plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-in-memory-table'] --- import kbnMlInMemoryTableObj from './kbn_ml_in_memory_table.devdocs.json'; diff --git a/api_docs/kbn_ml_is_defined.mdx b/api_docs/kbn_ml_is_defined.mdx index 99eb683335157..b3e9044566faa 100644 --- a/api_docs/kbn_ml_is_defined.mdx +++ b/api_docs/kbn_ml_is_defined.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-defined title: "@kbn/ml-is-defined" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-defined plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-defined'] --- import kbnMlIsDefinedObj from './kbn_ml_is_defined.devdocs.json'; diff --git a/api_docs/kbn_ml_is_populated_object.mdx b/api_docs/kbn_ml_is_populated_object.mdx index b2ac897e15897..b0041b58d0f27 100644 --- a/api_docs/kbn_ml_is_populated_object.mdx +++ b/api_docs/kbn_ml_is_populated_object.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-is-populated-object title: "@kbn/ml-is-populated-object" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-is-populated-object plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-is-populated-object'] --- import kbnMlIsPopulatedObjectObj from './kbn_ml_is_populated_object.devdocs.json'; diff --git a/api_docs/kbn_ml_kibana_theme.mdx b/api_docs/kbn_ml_kibana_theme.mdx index eaf6d0098156d..f1a3ed3db1955 100644 --- a/api_docs/kbn_ml_kibana_theme.mdx +++ b/api_docs/kbn_ml_kibana_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-kibana-theme title: "@kbn/ml-kibana-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-kibana-theme plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-kibana-theme'] --- import kbnMlKibanaThemeObj from './kbn_ml_kibana_theme.devdocs.json'; diff --git a/api_docs/kbn_ml_local_storage.mdx b/api_docs/kbn_ml_local_storage.mdx index 6b492f2829591..57baf8778c0a1 100644 --- a/api_docs/kbn_ml_local_storage.mdx +++ b/api_docs/kbn_ml_local_storage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-local-storage title: "@kbn/ml-local-storage" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-local-storage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-local-storage'] --- import kbnMlLocalStorageObj from './kbn_ml_local_storage.devdocs.json'; diff --git a/api_docs/kbn_ml_nested_property.mdx b/api_docs/kbn_ml_nested_property.mdx index ec8d21f08c604..14c487124c36c 100644 --- a/api_docs/kbn_ml_nested_property.mdx +++ b/api_docs/kbn_ml_nested_property.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-nested-property title: "@kbn/ml-nested-property" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-nested-property plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-nested-property'] --- import kbnMlNestedPropertyObj from './kbn_ml_nested_property.devdocs.json'; diff --git a/api_docs/kbn_ml_number_utils.mdx b/api_docs/kbn_ml_number_utils.mdx index a1856a73b3c5e..3b9d8752ff1fd 100644 --- a/api_docs/kbn_ml_number_utils.mdx +++ b/api_docs/kbn_ml_number_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-number-utils title: "@kbn/ml-number-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-number-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-number-utils'] --- import kbnMlNumberUtilsObj from './kbn_ml_number_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_parse_interval.mdx b/api_docs/kbn_ml_parse_interval.mdx index 7599a74406a37..55aa1e2c3826e 100644 --- a/api_docs/kbn_ml_parse_interval.mdx +++ b/api_docs/kbn_ml_parse_interval.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-parse-interval title: "@kbn/ml-parse-interval" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-parse-interval plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-parse-interval'] --- import kbnMlParseIntervalObj from './kbn_ml_parse_interval.devdocs.json'; diff --git a/api_docs/kbn_ml_query_utils.mdx b/api_docs/kbn_ml_query_utils.mdx index afeeeac9c642e..bd4e320b52094 100644 --- a/api_docs/kbn_ml_query_utils.mdx +++ b/api_docs/kbn_ml_query_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-query-utils title: "@kbn/ml-query-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-query-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-query-utils'] --- import kbnMlQueryUtilsObj from './kbn_ml_query_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_random_sampler_utils.mdx b/api_docs/kbn_ml_random_sampler_utils.mdx index cdbfe028a6ae7..56ea1d9aeda07 100644 --- a/api_docs/kbn_ml_random_sampler_utils.mdx +++ b/api_docs/kbn_ml_random_sampler_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-random-sampler-utils title: "@kbn/ml-random-sampler-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-random-sampler-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-random-sampler-utils'] --- import kbnMlRandomSamplerUtilsObj from './kbn_ml_random_sampler_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_route_utils.mdx b/api_docs/kbn_ml_route_utils.mdx index 30450d734e5f9..755c70017a50a 100644 --- a/api_docs/kbn_ml_route_utils.mdx +++ b/api_docs/kbn_ml_route_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-route-utils title: "@kbn/ml-route-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-route-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-route-utils'] --- import kbnMlRouteUtilsObj from './kbn_ml_route_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_runtime_field_utils.mdx b/api_docs/kbn_ml_runtime_field_utils.mdx index d4183cf52c367..5b2214291896d 100644 --- a/api_docs/kbn_ml_runtime_field_utils.mdx +++ b/api_docs/kbn_ml_runtime_field_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-runtime-field-utils title: "@kbn/ml-runtime-field-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-runtime-field-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-runtime-field-utils'] --- import kbnMlRuntimeFieldUtilsObj from './kbn_ml_runtime_field_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_string_hash.mdx b/api_docs/kbn_ml_string_hash.mdx index 28645dcae16f6..ce65f54aed17b 100644 --- a/api_docs/kbn_ml_string_hash.mdx +++ b/api_docs/kbn_ml_string_hash.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-string-hash title: "@kbn/ml-string-hash" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-string-hash plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-string-hash'] --- import kbnMlStringHashObj from './kbn_ml_string_hash.devdocs.json'; diff --git a/api_docs/kbn_ml_time_buckets.mdx b/api_docs/kbn_ml_time_buckets.mdx index 94ad3e67bed72..2ed79c3fde358 100644 --- a/api_docs/kbn_ml_time_buckets.mdx +++ b/api_docs/kbn_ml_time_buckets.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-time-buckets title: "@kbn/ml-time-buckets" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-time-buckets plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-time-buckets'] --- import kbnMlTimeBucketsObj from './kbn_ml_time_buckets.devdocs.json'; diff --git a/api_docs/kbn_ml_trained_models_utils.mdx b/api_docs/kbn_ml_trained_models_utils.mdx index b940c05a44a47..ccb140e143b79 100644 --- a/api_docs/kbn_ml_trained_models_utils.mdx +++ b/api_docs/kbn_ml_trained_models_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-trained-models-utils title: "@kbn/ml-trained-models-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-trained-models-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-trained-models-utils'] --- import kbnMlTrainedModelsUtilsObj from './kbn_ml_trained_models_utils.devdocs.json'; diff --git a/api_docs/kbn_ml_ui_actions.mdx b/api_docs/kbn_ml_ui_actions.mdx index 5d763e8bdc9a5..8561be8682976 100644 --- a/api_docs/kbn_ml_ui_actions.mdx +++ b/api_docs/kbn_ml_ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-ui-actions title: "@kbn/ml-ui-actions" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-ui-actions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-ui-actions'] --- import kbnMlUiActionsObj from './kbn_ml_ui_actions.devdocs.json'; diff --git a/api_docs/kbn_ml_url_state.mdx b/api_docs/kbn_ml_url_state.mdx index 8c02f6c6363c0..08c475830d8c3 100644 --- a/api_docs/kbn_ml_url_state.mdx +++ b/api_docs/kbn_ml_url_state.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-url-state title: "@kbn/ml-url-state" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-url-state plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-url-state'] --- import kbnMlUrlStateObj from './kbn_ml_url_state.devdocs.json'; diff --git a/api_docs/kbn_ml_validators.mdx b/api_docs/kbn_ml_validators.mdx index 8a3d1f21be893..ca0f29f9ac22c 100644 --- a/api_docs/kbn_ml_validators.mdx +++ b/api_docs/kbn_ml_validators.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ml-validators title: "@kbn/ml-validators" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ml-validators plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ml-validators'] --- import kbnMlValidatorsObj from './kbn_ml_validators.devdocs.json'; diff --git a/api_docs/kbn_mock_idp_utils.mdx b/api_docs/kbn_mock_idp_utils.mdx index a66cb125ff281..e9ede42efe5ab 100644 --- a/api_docs/kbn_mock_idp_utils.mdx +++ b/api_docs/kbn_mock_idp_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-mock-idp-utils title: "@kbn/mock-idp-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/mock-idp-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/mock-idp-utils'] --- import kbnMockIdpUtilsObj from './kbn_mock_idp_utils.devdocs.json'; diff --git a/api_docs/kbn_monaco.mdx b/api_docs/kbn_monaco.mdx index be73463630c4f..32eb916ebc760 100644 --- a/api_docs/kbn_monaco.mdx +++ b/api_docs/kbn_monaco.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-monaco title: "@kbn/monaco" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/monaco plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/monaco'] --- import kbnMonacoObj from './kbn_monaco.devdocs.json'; diff --git a/api_docs/kbn_object_versioning.mdx b/api_docs/kbn_object_versioning.mdx index c91d1d943dc39..00ba950395c11 100644 --- a/api_docs/kbn_object_versioning.mdx +++ b/api_docs/kbn_object_versioning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning title: "@kbn/object-versioning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning'] --- import kbnObjectVersioningObj from './kbn_object_versioning.devdocs.json'; diff --git a/api_docs/kbn_object_versioning_utils.mdx b/api_docs/kbn_object_versioning_utils.mdx index 8f03406b0f7fe..58d9b2ac60b26 100644 --- a/api_docs/kbn_object_versioning_utils.mdx +++ b/api_docs/kbn_object_versioning_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-object-versioning-utils title: "@kbn/object-versioning-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/object-versioning-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/object-versioning-utils'] --- import kbnObjectVersioningUtilsObj from './kbn_object_versioning_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alert_details.mdx b/api_docs/kbn_observability_alert_details.mdx index ea90ec85c5747..c1a1134d0e32b 100644 --- a/api_docs/kbn_observability_alert_details.mdx +++ b/api_docs/kbn_observability_alert_details.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alert-details title: "@kbn/observability-alert-details" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alert-details plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alert-details'] --- import kbnObservabilityAlertDetailsObj from './kbn_observability_alert_details.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_rule_utils.mdx b/api_docs/kbn_observability_alerting_rule_utils.mdx index 15131e0a19884..c197a139ecf83 100644 --- a/api_docs/kbn_observability_alerting_rule_utils.mdx +++ b/api_docs/kbn_observability_alerting_rule_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-rule-utils title: "@kbn/observability-alerting-rule-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-rule-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-rule-utils'] --- import kbnObservabilityAlertingRuleUtilsObj from './kbn_observability_alerting_rule_utils.devdocs.json'; diff --git a/api_docs/kbn_observability_alerting_test_data.mdx b/api_docs/kbn_observability_alerting_test_data.mdx index 21dc0337db9b3..2709ca24996d8 100644 --- a/api_docs/kbn_observability_alerting_test_data.mdx +++ b/api_docs/kbn_observability_alerting_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-alerting-test-data title: "@kbn/observability-alerting-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-alerting-test-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-alerting-test-data'] --- import kbnObservabilityAlertingTestDataObj from './kbn_observability_alerting_test_data.devdocs.json'; diff --git a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx index 4758ba3884d97..1239c26cbad70 100644 --- a/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx +++ b/api_docs/kbn_observability_get_padded_alert_time_range_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-get-padded-alert-time-range-util title: "@kbn/observability-get-padded-alert-time-range-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-get-padded-alert-time-range-util plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-get-padded-alert-time-range-util'] --- import kbnObservabilityGetPaddedAlertTimeRangeUtilObj from './kbn_observability_get_padded_alert_time_range_util.devdocs.json'; diff --git a/api_docs/kbn_observability_logs_overview.mdx b/api_docs/kbn_observability_logs_overview.mdx index 3623af25e4283..9ceb801d34203 100644 --- a/api_docs/kbn_observability_logs_overview.mdx +++ b/api_docs/kbn_observability_logs_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-logs-overview title: "@kbn/observability-logs-overview" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-logs-overview plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-logs-overview'] --- import kbnObservabilityLogsOverviewObj from './kbn_observability_logs_overview.devdocs.json'; diff --git a/api_docs/kbn_observability_synthetics_test_data.mdx b/api_docs/kbn_observability_synthetics_test_data.mdx index 501f63109a89d..31313e8be62e1 100644 --- a/api_docs/kbn_observability_synthetics_test_data.mdx +++ b/api_docs/kbn_observability_synthetics_test_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-observability-synthetics-test-data title: "@kbn/observability-synthetics-test-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/observability-synthetics-test-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/observability-synthetics-test-data'] --- import kbnObservabilitySyntheticsTestDataObj from './kbn_observability_synthetics_test_data.devdocs.json'; diff --git a/api_docs/kbn_openapi_bundler.mdx b/api_docs/kbn_openapi_bundler.mdx index bf3d1a202f32b..3dc4ab41164fb 100644 --- a/api_docs/kbn_openapi_bundler.mdx +++ b/api_docs/kbn_openapi_bundler.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-bundler title: "@kbn/openapi-bundler" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-bundler plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-bundler'] --- import kbnOpenapiBundlerObj from './kbn_openapi_bundler.devdocs.json'; diff --git a/api_docs/kbn_openapi_generator.mdx b/api_docs/kbn_openapi_generator.mdx index 97f7e64f23436..921f7e363d31c 100644 --- a/api_docs/kbn_openapi_generator.mdx +++ b/api_docs/kbn_openapi_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-openapi-generator title: "@kbn/openapi-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/openapi-generator plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/openapi-generator'] --- import kbnOpenapiGeneratorObj from './kbn_openapi_generator.devdocs.json'; diff --git a/api_docs/kbn_optimizer.mdx b/api_docs/kbn_optimizer.mdx index 365d6191c54a6..727ad63b31f28 100644 --- a/api_docs/kbn_optimizer.mdx +++ b/api_docs/kbn_optimizer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer title: "@kbn/optimizer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer'] --- import kbnOptimizerObj from './kbn_optimizer.devdocs.json'; diff --git a/api_docs/kbn_optimizer_webpack_helpers.mdx b/api_docs/kbn_optimizer_webpack_helpers.mdx index 3009d2ac70508..f2a1ffec91d4a 100644 --- a/api_docs/kbn_optimizer_webpack_helpers.mdx +++ b/api_docs/kbn_optimizer_webpack_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-optimizer-webpack-helpers title: "@kbn/optimizer-webpack-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/optimizer-webpack-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/optimizer-webpack-helpers'] --- import kbnOptimizerWebpackHelpersObj from './kbn_optimizer_webpack_helpers.devdocs.json'; diff --git a/api_docs/kbn_osquery_io_ts_types.mdx b/api_docs/kbn_osquery_io_ts_types.mdx index 94f108723ccb7..6c4524613eca6 100644 --- a/api_docs/kbn_osquery_io_ts_types.mdx +++ b/api_docs/kbn_osquery_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-osquery-io-ts-types title: "@kbn/osquery-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/osquery-io-ts-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/osquery-io-ts-types'] --- import kbnOsqueryIoTsTypesObj from './kbn_osquery_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_palettes.mdx b/api_docs/kbn_palettes.mdx index 17ada8b6fcb1d..db566346d7fe2 100644 --- a/api_docs/kbn_palettes.mdx +++ b/api_docs/kbn_palettes.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-palettes title: "@kbn/palettes" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/palettes plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/palettes'] --- import kbnPalettesObj from './kbn_palettes.devdocs.json'; diff --git a/api_docs/kbn_panel_loader.mdx b/api_docs/kbn_panel_loader.mdx index c13697c88f915..1a53fe8123a7f 100644 --- a/api_docs/kbn_panel_loader.mdx +++ b/api_docs/kbn_panel_loader.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-panel-loader title: "@kbn/panel-loader" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/panel-loader plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/panel-loader'] --- import kbnPanelLoaderObj from './kbn_panel_loader.devdocs.json'; diff --git a/api_docs/kbn_performance_testing_dataset_extractor.mdx b/api_docs/kbn_performance_testing_dataset_extractor.mdx index 3017f5ca2241c..82363ff74c2ac 100644 --- a/api_docs/kbn_performance_testing_dataset_extractor.mdx +++ b/api_docs/kbn_performance_testing_dataset_extractor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-performance-testing-dataset-extractor title: "@kbn/performance-testing-dataset-extractor" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/performance-testing-dataset-extractor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/performance-testing-dataset-extractor'] --- import kbnPerformanceTestingDatasetExtractorObj from './kbn_performance_testing_dataset_extractor.devdocs.json'; diff --git a/api_docs/kbn_plugin_check.mdx b/api_docs/kbn_plugin_check.mdx index f3f42312e5410..00e723fb01f48 100644 --- a/api_docs/kbn_plugin_check.mdx +++ b/api_docs/kbn_plugin_check.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-check title: "@kbn/plugin-check" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-check plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-check'] --- import kbnPluginCheckObj from './kbn_plugin_check.devdocs.json'; diff --git a/api_docs/kbn_plugin_generator.mdx b/api_docs/kbn_plugin_generator.mdx index 5f07df4fe8db0..0dfdf4b848cf1 100644 --- a/api_docs/kbn_plugin_generator.mdx +++ b/api_docs/kbn_plugin_generator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-generator title: "@kbn/plugin-generator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-generator plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-generator'] --- import kbnPluginGeneratorObj from './kbn_plugin_generator.devdocs.json'; diff --git a/api_docs/kbn_plugin_helpers.mdx b/api_docs/kbn_plugin_helpers.mdx index ed027c089dbd5..8699bb4413fb0 100644 --- a/api_docs/kbn_plugin_helpers.mdx +++ b/api_docs/kbn_plugin_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-plugin-helpers title: "@kbn/plugin-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/plugin-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/plugin-helpers'] --- import kbnPluginHelpersObj from './kbn_plugin_helpers.devdocs.json'; diff --git a/api_docs/kbn_presentation_containers.mdx b/api_docs/kbn_presentation_containers.mdx index 5a235508f53d3..093700a3ad7bd 100644 --- a/api_docs/kbn_presentation_containers.mdx +++ b/api_docs/kbn_presentation_containers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-containers title: "@kbn/presentation-containers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-containers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-containers'] --- import kbnPresentationContainersObj from './kbn_presentation_containers.devdocs.json'; diff --git a/api_docs/kbn_presentation_publishing.mdx b/api_docs/kbn_presentation_publishing.mdx index 0b82b9e732d0a..d83acc8a77295 100644 --- a/api_docs/kbn_presentation_publishing.mdx +++ b/api_docs/kbn_presentation_publishing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-presentation-publishing title: "@kbn/presentation-publishing" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/presentation-publishing plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/presentation-publishing'] --- import kbnPresentationPublishingObj from './kbn_presentation_publishing.devdocs.json'; diff --git a/api_docs/kbn_product_doc_artifact_builder.mdx b/api_docs/kbn_product_doc_artifact_builder.mdx index a03c516ad751a..f079801bb6c30 100644 --- a/api_docs/kbn_product_doc_artifact_builder.mdx +++ b/api_docs/kbn_product_doc_artifact_builder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-artifact-builder title: "@kbn/product-doc-artifact-builder" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-artifact-builder plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-artifact-builder'] --- import kbnProductDocArtifactBuilderObj from './kbn_product_doc_artifact_builder.devdocs.json'; diff --git a/api_docs/kbn_product_doc_common.mdx b/api_docs/kbn_product_doc_common.mdx index 627f9ee6c2501..b515de194b0f1 100644 --- a/api_docs/kbn_product_doc_common.mdx +++ b/api_docs/kbn_product_doc_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-product-doc-common title: "@kbn/product-doc-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/product-doc-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/product-doc-common'] --- import kbnProductDocCommonObj from './kbn_product_doc_common.devdocs.json'; diff --git a/api_docs/kbn_profiling_utils.mdx b/api_docs/kbn_profiling_utils.mdx index a8fc6206688bb..5aa8ba80a3d2a 100644 --- a/api_docs/kbn_profiling_utils.mdx +++ b/api_docs/kbn_profiling_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-profiling-utils title: "@kbn/profiling-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/profiling-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/profiling-utils'] --- import kbnProfilingUtilsObj from './kbn_profiling_utils.devdocs.json'; diff --git a/api_docs/kbn_random_sampling.mdx b/api_docs/kbn_random_sampling.mdx index 67b59c350eb5c..eadfbb0d8294e 100644 --- a/api_docs/kbn_random_sampling.mdx +++ b/api_docs/kbn_random_sampling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-random-sampling title: "@kbn/random-sampling" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/random-sampling plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/random-sampling'] --- import kbnRandomSamplingObj from './kbn_random_sampling.devdocs.json'; diff --git a/api_docs/kbn_react_field.mdx b/api_docs/kbn_react_field.mdx index c2fb54eb371f8..c130fc6d3044a 100644 --- a/api_docs/kbn_react_field.mdx +++ b/api_docs/kbn_react_field.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-field title: "@kbn/react-field" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-field plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-field'] --- import kbnReactFieldObj from './kbn_react_field.devdocs.json'; diff --git a/api_docs/kbn_react_hooks.mdx b/api_docs/kbn_react_hooks.mdx index 103531464ce92..0e95a9cba811d 100644 --- a/api_docs/kbn_react_hooks.mdx +++ b/api_docs/kbn_react_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-hooks title: "@kbn/react-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-hooks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-hooks'] --- import kbnReactHooksObj from './kbn_react_hooks.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_common.mdx b/api_docs/kbn_react_kibana_context_common.mdx index 5408d90e00b47..6f4d029164a19 100644 --- a/api_docs/kbn_react_kibana_context_common.mdx +++ b/api_docs/kbn_react_kibana_context_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-common title: "@kbn/react-kibana-context-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-common'] --- import kbnReactKibanaContextCommonObj from './kbn_react_kibana_context_common.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_render.mdx b/api_docs/kbn_react_kibana_context_render.mdx index 220a7629a96bd..b077b41290718 100644 --- a/api_docs/kbn_react_kibana_context_render.mdx +++ b/api_docs/kbn_react_kibana_context_render.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-render title: "@kbn/react-kibana-context-render" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-render plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-render'] --- import kbnReactKibanaContextRenderObj from './kbn_react_kibana_context_render.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_root.mdx b/api_docs/kbn_react_kibana_context_root.mdx index 98d6118114bee..c798e6a1817e1 100644 --- a/api_docs/kbn_react_kibana_context_root.mdx +++ b/api_docs/kbn_react_kibana_context_root.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-root title: "@kbn/react-kibana-context-root" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-root plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-root'] --- import kbnReactKibanaContextRootObj from './kbn_react_kibana_context_root.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_styled.mdx b/api_docs/kbn_react_kibana_context_styled.mdx index 575917118a1b5..78567522eb232 100644 --- a/api_docs/kbn_react_kibana_context_styled.mdx +++ b/api_docs/kbn_react_kibana_context_styled.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-styled title: "@kbn/react-kibana-context-styled" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-styled plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-styled'] --- import kbnReactKibanaContextStyledObj from './kbn_react_kibana_context_styled.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_context_theme.mdx b/api_docs/kbn_react_kibana_context_theme.mdx index 2b87057224a4a..3a7f5a62459f6 100644 --- a/api_docs/kbn_react_kibana_context_theme.mdx +++ b/api_docs/kbn_react_kibana_context_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-context-theme title: "@kbn/react-kibana-context-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-context-theme plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-context-theme'] --- import kbnReactKibanaContextThemeObj from './kbn_react_kibana_context_theme.devdocs.json'; diff --git a/api_docs/kbn_react_kibana_mount.mdx b/api_docs/kbn_react_kibana_mount.mdx index 43ab34089b299..009ff8928064c 100644 --- a/api_docs/kbn_react_kibana_mount.mdx +++ b/api_docs/kbn_react_kibana_mount.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-kibana-mount title: "@kbn/react-kibana-mount" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-kibana-mount plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-kibana-mount'] --- import kbnReactKibanaMountObj from './kbn_react_kibana_mount.devdocs.json'; diff --git a/api_docs/kbn_react_mute_legacy_root_warning.mdx b/api_docs/kbn_react_mute_legacy_root_warning.mdx index d2b721003ed20..b7c495e02bd56 100644 --- a/api_docs/kbn_react_mute_legacy_root_warning.mdx +++ b/api_docs/kbn_react_mute_legacy_root_warning.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-react-mute-legacy-root-warning title: "@kbn/react-mute-legacy-root-warning" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/react-mute-legacy-root-warning plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/react-mute-legacy-root-warning'] --- import kbnReactMuteLegacyRootWarningObj from './kbn_react_mute_legacy_root_warning.devdocs.json'; diff --git a/api_docs/kbn_recently_accessed.mdx b/api_docs/kbn_recently_accessed.mdx index 8106f2c1618bb..e763a03774e4f 100644 --- a/api_docs/kbn_recently_accessed.mdx +++ b/api_docs/kbn_recently_accessed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-recently-accessed title: "@kbn/recently-accessed" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/recently-accessed plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/recently-accessed'] --- import kbnRecentlyAccessedObj from './kbn_recently_accessed.devdocs.json'; diff --git a/api_docs/kbn_relocate.mdx b/api_docs/kbn_relocate.mdx index c9223c8b8289f..f34335960892c 100644 --- a/api_docs/kbn_relocate.mdx +++ b/api_docs/kbn_relocate.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-relocate title: "@kbn/relocate" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/relocate plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/relocate'] --- import kbnRelocateObj from './kbn_relocate.devdocs.json'; diff --git a/api_docs/kbn_repo_file_maps.mdx b/api_docs/kbn_repo_file_maps.mdx index a7356f66b58b7..ee7ce6af81a88 100644 --- a/api_docs/kbn_repo_file_maps.mdx +++ b/api_docs/kbn_repo_file_maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-file-maps title: "@kbn/repo-file-maps" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-file-maps plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-file-maps'] --- import kbnRepoFileMapsObj from './kbn_repo_file_maps.devdocs.json'; diff --git a/api_docs/kbn_repo_linter.mdx b/api_docs/kbn_repo_linter.mdx index 82145e0cdb39f..0acc8a696962a 100644 --- a/api_docs/kbn_repo_linter.mdx +++ b/api_docs/kbn_repo_linter.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-linter title: "@kbn/repo-linter" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-linter plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-linter'] --- import kbnRepoLinterObj from './kbn_repo_linter.devdocs.json'; diff --git a/api_docs/kbn_repo_path.mdx b/api_docs/kbn_repo_path.mdx index 9a291418814d8..8cafca86c776a 100644 --- a/api_docs/kbn_repo_path.mdx +++ b/api_docs/kbn_repo_path.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-path title: "@kbn/repo-path" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-path plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-path'] --- import kbnRepoPathObj from './kbn_repo_path.devdocs.json'; diff --git a/api_docs/kbn_repo_source_classifier.mdx b/api_docs/kbn_repo_source_classifier.mdx index 4f8af1a7c5ee6..d4ae238dd1bab 100644 --- a/api_docs/kbn_repo_source_classifier.mdx +++ b/api_docs/kbn_repo_source_classifier.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-repo-source-classifier title: "@kbn/repo-source-classifier" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/repo-source-classifier plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/repo-source-classifier'] --- import kbnRepoSourceClassifierObj from './kbn_repo_source_classifier.devdocs.json'; diff --git a/api_docs/kbn_reporting_common.mdx b/api_docs/kbn_reporting_common.mdx index e9df5964cbc61..718cb0d07c4f9 100644 --- a/api_docs/kbn_reporting_common.mdx +++ b/api_docs/kbn_reporting_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-common title: "@kbn/reporting-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-common'] --- import kbnReportingCommonObj from './kbn_reporting_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_csv_share_panel.mdx b/api_docs/kbn_reporting_csv_share_panel.mdx index 2800c184124ad..32923b0a696e2 100644 --- a/api_docs/kbn_reporting_csv_share_panel.mdx +++ b/api_docs/kbn_reporting_csv_share_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-csv-share-panel title: "@kbn/reporting-csv-share-panel" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-csv-share-panel plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-csv-share-panel'] --- import kbnReportingCsvSharePanelObj from './kbn_reporting_csv_share_panel.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv.mdx b/api_docs/kbn_reporting_export_types_csv.mdx index 130141ce64d87..cfac3996a9d6d 100644 --- a/api_docs/kbn_reporting_export_types_csv.mdx +++ b/api_docs/kbn_reporting_export_types_csv.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv title: "@kbn/reporting-export-types-csv" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv'] --- import kbnReportingExportTypesCsvObj from './kbn_reporting_export_types_csv.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_csv_common.mdx b/api_docs/kbn_reporting_export_types_csv_common.mdx index b095f2730a42b..68519877ff035 100644 --- a/api_docs/kbn_reporting_export_types_csv_common.mdx +++ b/api_docs/kbn_reporting_export_types_csv_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-csv-common title: "@kbn/reporting-export-types-csv-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-csv-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-csv-common'] --- import kbnReportingExportTypesCsvCommonObj from './kbn_reporting_export_types_csv_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf.mdx b/api_docs/kbn_reporting_export_types_pdf.mdx index 4cacebd51549e..d50f95e340889 100644 --- a/api_docs/kbn_reporting_export_types_pdf.mdx +++ b/api_docs/kbn_reporting_export_types_pdf.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf title: "@kbn/reporting-export-types-pdf" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf'] --- import kbnReportingExportTypesPdfObj from './kbn_reporting_export_types_pdf.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_pdf_common.mdx b/api_docs/kbn_reporting_export_types_pdf_common.mdx index d4134463617ee..7ed86555ad613 100644 --- a/api_docs/kbn_reporting_export_types_pdf_common.mdx +++ b/api_docs/kbn_reporting_export_types_pdf_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-pdf-common title: "@kbn/reporting-export-types-pdf-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-pdf-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-pdf-common'] --- import kbnReportingExportTypesPdfCommonObj from './kbn_reporting_export_types_pdf_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png.mdx b/api_docs/kbn_reporting_export_types_png.mdx index 76c3e1cf381b8..7829b859023cd 100644 --- a/api_docs/kbn_reporting_export_types_png.mdx +++ b/api_docs/kbn_reporting_export_types_png.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png title: "@kbn/reporting-export-types-png" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png'] --- import kbnReportingExportTypesPngObj from './kbn_reporting_export_types_png.devdocs.json'; diff --git a/api_docs/kbn_reporting_export_types_png_common.mdx b/api_docs/kbn_reporting_export_types_png_common.mdx index 51099604ee0e5..8a322d470ac30 100644 --- a/api_docs/kbn_reporting_export_types_png_common.mdx +++ b/api_docs/kbn_reporting_export_types_png_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-export-types-png-common title: "@kbn/reporting-export-types-png-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-export-types-png-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-export-types-png-common'] --- import kbnReportingExportTypesPngCommonObj from './kbn_reporting_export_types_png_common.devdocs.json'; diff --git a/api_docs/kbn_reporting_mocks_server.mdx b/api_docs/kbn_reporting_mocks_server.mdx index 913a85aecef90..91fbe308e6da8 100644 --- a/api_docs/kbn_reporting_mocks_server.mdx +++ b/api_docs/kbn_reporting_mocks_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-mocks-server title: "@kbn/reporting-mocks-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-mocks-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-mocks-server'] --- import kbnReportingMocksServerObj from './kbn_reporting_mocks_server.devdocs.json'; diff --git a/api_docs/kbn_reporting_public.mdx b/api_docs/kbn_reporting_public.mdx index 5dd1a4e7bea2b..3f782ffb015fa 100644 --- a/api_docs/kbn_reporting_public.mdx +++ b/api_docs/kbn_reporting_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-public title: "@kbn/reporting-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-public plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-public'] --- import kbnReportingPublicObj from './kbn_reporting_public.devdocs.json'; diff --git a/api_docs/kbn_reporting_server.mdx b/api_docs/kbn_reporting_server.mdx index 9a76eff0f4b0d..1f77e14bf3398 100644 --- a/api_docs/kbn_reporting_server.mdx +++ b/api_docs/kbn_reporting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-reporting-server title: "@kbn/reporting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/reporting-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/reporting-server'] --- import kbnReportingServerObj from './kbn_reporting_server.devdocs.json'; diff --git a/api_docs/kbn_resizable_layout.mdx b/api_docs/kbn_resizable_layout.mdx index 5b18e147dfbac..b196856296b00 100644 --- a/api_docs/kbn_resizable_layout.mdx +++ b/api_docs/kbn_resizable_layout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-resizable-layout title: "@kbn/resizable-layout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/resizable-layout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/resizable-layout'] --- import kbnResizableLayoutObj from './kbn_resizable_layout.devdocs.json'; diff --git a/api_docs/kbn_response_ops_feature_flag_service.mdx b/api_docs/kbn_response_ops_feature_flag_service.mdx index 4dd0a2e5b3b67..f4a1c64129056 100644 --- a/api_docs/kbn_response_ops_feature_flag_service.mdx +++ b/api_docs/kbn_response_ops_feature_flag_service.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-feature-flag-service title: "@kbn/response-ops-feature-flag-service" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-feature-flag-service plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-feature-flag-service'] --- import kbnResponseOpsFeatureFlagServiceObj from './kbn_response_ops_feature_flag_service.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_form.mdx b/api_docs/kbn_response_ops_rule_form.mdx index 0c753d8fba274..9e3b2401798d7 100644 --- a/api_docs/kbn_response_ops_rule_form.mdx +++ b/api_docs/kbn_response_ops_rule_form.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-form title: "@kbn/response-ops-rule-form" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-form plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-form'] --- import kbnResponseOpsRuleFormObj from './kbn_response_ops_rule_form.devdocs.json'; diff --git a/api_docs/kbn_response_ops_rule_params.mdx b/api_docs/kbn_response_ops_rule_params.mdx index f9d79bb0bf1c2..780f12f617246 100644 --- a/api_docs/kbn_response_ops_rule_params.mdx +++ b/api_docs/kbn_response_ops_rule_params.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-response-ops-rule-params title: "@kbn/response-ops-rule-params" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/response-ops-rule-params plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/response-ops-rule-params'] --- import kbnResponseOpsRuleParamsObj from './kbn_response_ops_rule_params.devdocs.json'; diff --git a/api_docs/kbn_rison.mdx b/api_docs/kbn_rison.mdx index 9faccc3ce6d98..6b17638a261a3 100644 --- a/api_docs/kbn_rison.mdx +++ b/api_docs/kbn_rison.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rison title: "@kbn/rison" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rison plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rison'] --- import kbnRisonObj from './kbn_rison.devdocs.json'; diff --git a/api_docs/kbn_rollup.mdx b/api_docs/kbn_rollup.mdx index a31ea63e2a97a..ed937c366ef70 100644 --- a/api_docs/kbn_rollup.mdx +++ b/api_docs/kbn_rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rollup title: "@kbn/rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rollup plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rollup'] --- import kbnRollupObj from './kbn_rollup.devdocs.json'; diff --git a/api_docs/kbn_router_to_openapispec.mdx b/api_docs/kbn_router_to_openapispec.mdx index 281691780563f..e648dc8487f94 100644 --- a/api_docs/kbn_router_to_openapispec.mdx +++ b/api_docs/kbn_router_to_openapispec.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-to-openapispec title: "@kbn/router-to-openapispec" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-to-openapispec plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-to-openapispec'] --- import kbnRouterToOpenapispecObj from './kbn_router_to_openapispec.devdocs.json'; diff --git a/api_docs/kbn_router_utils.mdx b/api_docs/kbn_router_utils.mdx index f7848856499da..2ea0840b79201 100644 --- a/api_docs/kbn_router_utils.mdx +++ b/api_docs/kbn_router_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-router-utils title: "@kbn/router-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/router-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/router-utils'] --- import kbnRouterUtilsObj from './kbn_router_utils.devdocs.json'; diff --git a/api_docs/kbn_rrule.mdx b/api_docs/kbn_rrule.mdx index 0017d71e13853..5fa99e11fe5e0 100644 --- a/api_docs/kbn_rrule.mdx +++ b/api_docs/kbn_rrule.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rrule title: "@kbn/rrule" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rrule plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rrule'] --- import kbnRruleObj from './kbn_rrule.devdocs.json'; diff --git a/api_docs/kbn_rule_data_utils.mdx b/api_docs/kbn_rule_data_utils.mdx index 5815776be6c55..a5268af34b5f7 100644 --- a/api_docs/kbn_rule_data_utils.mdx +++ b/api_docs/kbn_rule_data_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-rule-data-utils title: "@kbn/rule-data-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/rule-data-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/rule-data-utils'] --- import kbnRuleDataUtilsObj from './kbn_rule_data_utils.devdocs.json'; diff --git a/api_docs/kbn_saved_objects_settings.mdx b/api_docs/kbn_saved_objects_settings.mdx index 8c938b4924d1b..ad1f43091f22f 100644 --- a/api_docs/kbn_saved_objects_settings.mdx +++ b/api_docs/kbn_saved_objects_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-objects-settings title: "@kbn/saved-objects-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-objects-settings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-objects-settings'] --- import kbnSavedObjectsSettingsObj from './kbn_saved_objects_settings.devdocs.json'; diff --git a/api_docs/kbn_saved_search_component.mdx b/api_docs/kbn_saved_search_component.mdx index ec2dd05c9b6f7..13764aa2ab0a6 100644 --- a/api_docs/kbn_saved_search_component.mdx +++ b/api_docs/kbn_saved_search_component.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-saved-search-component title: "@kbn/saved-search-component" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/saved-search-component plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/saved-search-component'] --- import kbnSavedSearchComponentObj from './kbn_saved_search_component.devdocs.json'; diff --git a/api_docs/kbn_scout.mdx b/api_docs/kbn_scout.mdx index c432bdfdd67c6..632d195918223 100644 --- a/api_docs/kbn_scout.mdx +++ b/api_docs/kbn_scout.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout title: "@kbn/scout" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout'] --- import kbnScoutObj from './kbn_scout.devdocs.json'; diff --git a/api_docs/kbn_scout_info.mdx b/api_docs/kbn_scout_info.mdx index de4dd4c281c3f..b9678faee872c 100644 --- a/api_docs/kbn_scout_info.mdx +++ b/api_docs/kbn_scout_info.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-info title: "@kbn/scout-info" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-info plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-info'] --- import kbnScoutInfoObj from './kbn_scout_info.devdocs.json'; diff --git a/api_docs/kbn_scout_reporting.mdx b/api_docs/kbn_scout_reporting.mdx index 3342de28b613c..d6203580a2c15 100644 --- a/api_docs/kbn_scout_reporting.mdx +++ b/api_docs/kbn_scout_reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-scout-reporting title: "@kbn/scout-reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/scout-reporting plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/scout-reporting'] --- import kbnScoutReportingObj from './kbn_scout_reporting.devdocs.json'; diff --git a/api_docs/kbn_screenshotting_server.mdx b/api_docs/kbn_screenshotting_server.mdx index 6e68ee2274402..e412572b8714b 100644 --- a/api_docs/kbn_screenshotting_server.mdx +++ b/api_docs/kbn_screenshotting_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-screenshotting-server title: "@kbn/screenshotting-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/screenshotting-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/screenshotting-server'] --- import kbnScreenshottingServerObj from './kbn_screenshotting_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_components.mdx b/api_docs/kbn_search_api_keys_components.mdx index 5b2a3685fdaba..27ee456d91d49 100644 --- a/api_docs/kbn_search_api_keys_components.mdx +++ b/api_docs/kbn_search_api_keys_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-components title: "@kbn/search-api-keys-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-components'] --- import kbnSearchApiKeysComponentsObj from './kbn_search_api_keys_components.devdocs.json'; diff --git a/api_docs/kbn_search_api_keys_server.mdx b/api_docs/kbn_search_api_keys_server.mdx index 7929ed2316fbe..4e74a36e16dda 100644 --- a/api_docs/kbn_search_api_keys_server.mdx +++ b/api_docs/kbn_search_api_keys_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-keys-server title: "@kbn/search-api-keys-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-keys-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-keys-server'] --- import kbnSearchApiKeysServerObj from './kbn_search_api_keys_server.devdocs.json'; diff --git a/api_docs/kbn_search_api_panels.mdx b/api_docs/kbn_search_api_panels.mdx index 3549e3044bfe5..8bc34e82cb4d4 100644 --- a/api_docs/kbn_search_api_panels.mdx +++ b/api_docs/kbn_search_api_panels.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-api-panels title: "@kbn/search-api-panels" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-api-panels plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-api-panels'] --- import kbnSearchApiPanelsObj from './kbn_search_api_panels.devdocs.json'; diff --git a/api_docs/kbn_search_connectors.mdx b/api_docs/kbn_search_connectors.mdx index feb4a636a0c0d..423e0e75dc377 100644 --- a/api_docs/kbn_search_connectors.mdx +++ b/api_docs/kbn_search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-connectors title: "@kbn/search-connectors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-connectors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-connectors'] --- import kbnSearchConnectorsObj from './kbn_search_connectors.devdocs.json'; diff --git a/api_docs/kbn_search_errors.mdx b/api_docs/kbn_search_errors.mdx index abb1669b54f49..16e10bbe6ae27 100644 --- a/api_docs/kbn_search_errors.mdx +++ b/api_docs/kbn_search_errors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-errors title: "@kbn/search-errors" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-errors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-errors'] --- import kbnSearchErrorsObj from './kbn_search_errors.devdocs.json'; diff --git a/api_docs/kbn_search_index_documents.mdx b/api_docs/kbn_search_index_documents.mdx index c6d773a5ff3ed..53abbc168312e 100644 --- a/api_docs/kbn_search_index_documents.mdx +++ b/api_docs/kbn_search_index_documents.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-index-documents title: "@kbn/search-index-documents" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-index-documents plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-index-documents'] --- import kbnSearchIndexDocumentsObj from './kbn_search_index_documents.devdocs.json'; diff --git a/api_docs/kbn_search_response_warnings.mdx b/api_docs/kbn_search_response_warnings.mdx index 448a2f87ff506..bdde712ea87bc 100644 --- a/api_docs/kbn_search_response_warnings.mdx +++ b/api_docs/kbn_search_response_warnings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-response-warnings title: "@kbn/search-response-warnings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-response-warnings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-response-warnings'] --- import kbnSearchResponseWarningsObj from './kbn_search_response_warnings.devdocs.json'; diff --git a/api_docs/kbn_search_shared_ui.mdx b/api_docs/kbn_search_shared_ui.mdx index 95058a1429229..e03d124092f4a 100644 --- a/api_docs/kbn_search_shared_ui.mdx +++ b/api_docs/kbn_search_shared_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-shared-ui title: "@kbn/search-shared-ui" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-shared-ui plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-shared-ui'] --- import kbnSearchSharedUiObj from './kbn_search_shared_ui.devdocs.json'; diff --git a/api_docs/kbn_search_types.mdx b/api_docs/kbn_search_types.mdx index efb0276863498..bb9bc8a5e5f7d 100644 --- a/api_docs/kbn_search_types.mdx +++ b/api_docs/kbn_search_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-search-types title: "@kbn/search-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/search-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/search-types'] --- import kbnSearchTypesObj from './kbn_search_types.devdocs.json'; diff --git a/api_docs/kbn_security_api_key_management.mdx b/api_docs/kbn_security_api_key_management.mdx index c8b0c44240fb0..43047e0a06e3f 100644 --- a/api_docs/kbn_security_api_key_management.mdx +++ b/api_docs/kbn_security_api_key_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-api-key-management title: "@kbn/security-api-key-management" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-api-key-management plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-api-key-management'] --- import kbnSecurityApiKeyManagementObj from './kbn_security_api_key_management.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core.mdx b/api_docs/kbn_security_authorization_core.mdx index 398336aea1847..42069984a4140 100644 --- a/api_docs/kbn_security_authorization_core.mdx +++ b/api_docs/kbn_security_authorization_core.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core title: "@kbn/security-authorization-core" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core'] --- import kbnSecurityAuthorizationCoreObj from './kbn_security_authorization_core.devdocs.json'; diff --git a/api_docs/kbn_security_authorization_core_common.mdx b/api_docs/kbn_security_authorization_core_common.mdx index 1fd084f7cbf0e..63f34c1a8e67f 100644 --- a/api_docs/kbn_security_authorization_core_common.mdx +++ b/api_docs/kbn_security_authorization_core_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-authorization-core-common title: "@kbn/security-authorization-core-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-authorization-core-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-authorization-core-common'] --- import kbnSecurityAuthorizationCoreCommonObj from './kbn_security_authorization_core_common.devdocs.json'; diff --git a/api_docs/kbn_security_form_components.mdx b/api_docs/kbn_security_form_components.mdx index 239baffcc7c0d..74fbd9484d1b2 100644 --- a/api_docs/kbn_security_form_components.mdx +++ b/api_docs/kbn_security_form_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-form-components title: "@kbn/security-form-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-form-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-form-components'] --- import kbnSecurityFormComponentsObj from './kbn_security_form_components.devdocs.json'; diff --git a/api_docs/kbn_security_hardening.mdx b/api_docs/kbn_security_hardening.mdx index 6c32d484e301c..07d1a4c059f21 100644 --- a/api_docs/kbn_security_hardening.mdx +++ b/api_docs/kbn_security_hardening.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-hardening title: "@kbn/security-hardening" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-hardening plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-hardening'] --- import kbnSecurityHardeningObj from './kbn_security_hardening.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_common.mdx b/api_docs/kbn_security_plugin_types_common.mdx index 1ca24596e0f26..1ce2da3d5249f 100644 --- a/api_docs/kbn_security_plugin_types_common.mdx +++ b/api_docs/kbn_security_plugin_types_common.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-common title: "@kbn/security-plugin-types-common" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-common plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-common'] --- import kbnSecurityPluginTypesCommonObj from './kbn_security_plugin_types_common.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_public.mdx b/api_docs/kbn_security_plugin_types_public.mdx index 56456ae7cd755..6f0b1125ba161 100644 --- a/api_docs/kbn_security_plugin_types_public.mdx +++ b/api_docs/kbn_security_plugin_types_public.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-public title: "@kbn/security-plugin-types-public" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-public plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-public'] --- import kbnSecurityPluginTypesPublicObj from './kbn_security_plugin_types_public.devdocs.json'; diff --git a/api_docs/kbn_security_plugin_types_server.mdx b/api_docs/kbn_security_plugin_types_server.mdx index a5fb3f9632a20..da43c92793d98 100644 --- a/api_docs/kbn_security_plugin_types_server.mdx +++ b/api_docs/kbn_security_plugin_types_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-plugin-types-server title: "@kbn/security-plugin-types-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-plugin-types-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-plugin-types-server'] --- import kbnSecurityPluginTypesServerObj from './kbn_security_plugin_types_server.devdocs.json'; diff --git a/api_docs/kbn_security_role_management_model.mdx b/api_docs/kbn_security_role_management_model.mdx index 01adeecdd58de..9ee6415692b7d 100644 --- a/api_docs/kbn_security_role_management_model.mdx +++ b/api_docs/kbn_security_role_management_model.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-role-management-model title: "@kbn/security-role-management-model" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-role-management-model plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-role-management-model'] --- import kbnSecurityRoleManagementModelObj from './kbn_security_role_management_model.devdocs.json'; diff --git a/api_docs/kbn_security_solution_distribution_bar.mdx b/api_docs/kbn_security_solution_distribution_bar.mdx index 0e0f6fbe2246b..22da77a5c2232 100644 --- a/api_docs/kbn_security_solution_distribution_bar.mdx +++ b/api_docs/kbn_security_solution_distribution_bar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-distribution-bar title: "@kbn/security-solution-distribution-bar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-distribution-bar plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-distribution-bar'] --- import kbnSecuritySolutionDistributionBarObj from './kbn_security_solution_distribution_bar.devdocs.json'; diff --git a/api_docs/kbn_security_solution_features.mdx b/api_docs/kbn_security_solution_features.mdx index 7baed49a171d6..f5e569a87328a 100644 --- a/api_docs/kbn_security_solution_features.mdx +++ b/api_docs/kbn_security_solution_features.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-features title: "@kbn/security-solution-features" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-features plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-features'] --- import kbnSecuritySolutionFeaturesObj from './kbn_security_solution_features.devdocs.json'; diff --git a/api_docs/kbn_security_solution_navigation.mdx b/api_docs/kbn_security_solution_navigation.mdx index c5b99947c24c5..83e8973ed3bcd 100644 --- a/api_docs/kbn_security_solution_navigation.mdx +++ b/api_docs/kbn_security_solution_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-navigation title: "@kbn/security-solution-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-navigation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-navigation'] --- import kbnSecuritySolutionNavigationObj from './kbn_security_solution_navigation.devdocs.json'; diff --git a/api_docs/kbn_security_solution_side_nav.mdx b/api_docs/kbn_security_solution_side_nav.mdx index 0fd8b27aa384e..303c98ad4db38 100644 --- a/api_docs/kbn_security_solution_side_nav.mdx +++ b/api_docs/kbn_security_solution_side_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-side-nav title: "@kbn/security-solution-side-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-side-nav plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-side-nav'] --- import kbnSecuritySolutionSideNavObj from './kbn_security_solution_side_nav.devdocs.json'; diff --git a/api_docs/kbn_security_solution_storybook_config.mdx b/api_docs/kbn_security_solution_storybook_config.mdx index 11fa6f588aa40..9e59f5cf38d23 100644 --- a/api_docs/kbn_security_solution_storybook_config.mdx +++ b/api_docs/kbn_security_solution_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-solution-storybook-config title: "@kbn/security-solution-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-solution-storybook-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-solution-storybook-config'] --- import kbnSecuritySolutionStorybookConfigObj from './kbn_security_solution_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_security_ui_components.mdx b/api_docs/kbn_security_ui_components.mdx index b21abdc7e36e0..3ff802112eaea 100644 --- a/api_docs/kbn_security_ui_components.mdx +++ b/api_docs/kbn_security_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-security-ui-components title: "@kbn/security-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/security-ui-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/security-ui-components'] --- import kbnSecurityUiComponentsObj from './kbn_security_ui_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_autocomplete.mdx b/api_docs/kbn_securitysolution_autocomplete.mdx index 30b54aeb0b42e..40111f7a844ef 100644 --- a/api_docs/kbn_securitysolution_autocomplete.mdx +++ b/api_docs/kbn_securitysolution_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-autocomplete title: "@kbn/securitysolution-autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-autocomplete plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-autocomplete'] --- import kbnSecuritysolutionAutocompleteObj from './kbn_securitysolution_autocomplete.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_data_table.mdx b/api_docs/kbn_securitysolution_data_table.mdx index f2509f74f828b..94500ce4cf42a 100644 --- a/api_docs/kbn_securitysolution_data_table.mdx +++ b/api_docs/kbn_securitysolution_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-data-table title: "@kbn/securitysolution-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-data-table plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-data-table'] --- import kbnSecuritysolutionDataTableObj from './kbn_securitysolution_data_table.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_ecs.mdx b/api_docs/kbn_securitysolution_ecs.mdx index 1e8d08fe8dbe4..28d47b12b78bf 100644 --- a/api_docs/kbn_securitysolution_ecs.mdx +++ b/api_docs/kbn_securitysolution_ecs.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-ecs title: "@kbn/securitysolution-ecs" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-ecs plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-ecs'] --- import kbnSecuritysolutionEcsObj from './kbn_securitysolution_ecs.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_es_utils.mdx b/api_docs/kbn_securitysolution_es_utils.mdx index b46f66524e70d..f0e552f43cc8a 100644 --- a/api_docs/kbn_securitysolution_es_utils.mdx +++ b/api_docs/kbn_securitysolution_es_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-es-utils title: "@kbn/securitysolution-es-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-es-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-es-utils'] --- import kbnSecuritysolutionEsUtilsObj from './kbn_securitysolution_es_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_exception_list_components.mdx b/api_docs/kbn_securitysolution_exception_list_components.mdx index 87bd96ac24ba1..7618e59f74b6a 100644 --- a/api_docs/kbn_securitysolution_exception_list_components.mdx +++ b/api_docs/kbn_securitysolution_exception_list_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-exception-list-components title: "@kbn/securitysolution-exception-list-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-exception-list-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-exception-list-components'] --- import kbnSecuritysolutionExceptionListComponentsObj from './kbn_securitysolution_exception_list_components.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_hook_utils.mdx b/api_docs/kbn_securitysolution_hook_utils.mdx index 8eb1423803307..6d55af2d6d65f 100644 --- a/api_docs/kbn_securitysolution_hook_utils.mdx +++ b/api_docs/kbn_securitysolution_hook_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-hook-utils title: "@kbn/securitysolution-hook-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-hook-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-hook-utils'] --- import kbnSecuritysolutionHookUtilsObj from './kbn_securitysolution_hook_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx index f4b3b0884b3f6..0e5fcb7de5344 100644 --- a/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_alerting_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-alerting-types title: "@kbn/securitysolution-io-ts-alerting-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-alerting-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-alerting-types'] --- import kbnSecuritysolutionIoTsAlertingTypesObj from './kbn_securitysolution_io_ts_alerting_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_list_types.mdx b/api_docs/kbn_securitysolution_io_ts_list_types.mdx index d70f79b123bb8..c3093852aca1b 100644 --- a/api_docs/kbn_securitysolution_io_ts_list_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_list_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-list-types title: "@kbn/securitysolution-io-ts-list-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-list-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-list-types'] --- import kbnSecuritysolutionIoTsListTypesObj from './kbn_securitysolution_io_ts_list_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_types.mdx b/api_docs/kbn_securitysolution_io_ts_types.mdx index f683d32b6f42a..5839cd0aaccf6 100644 --- a/api_docs/kbn_securitysolution_io_ts_types.mdx +++ b/api_docs/kbn_securitysolution_io_ts_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-types title: "@kbn/securitysolution-io-ts-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-types'] --- import kbnSecuritysolutionIoTsTypesObj from './kbn_securitysolution_io_ts_types.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_io_ts_utils.mdx b/api_docs/kbn_securitysolution_io_ts_utils.mdx index b9379cf559270..c59ebaed69ca4 100644 --- a/api_docs/kbn_securitysolution_io_ts_utils.mdx +++ b/api_docs/kbn_securitysolution_io_ts_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-io-ts-utils title: "@kbn/securitysolution-io-ts-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-io-ts-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-io-ts-utils'] --- import kbnSecuritysolutionIoTsUtilsObj from './kbn_securitysolution_io_ts_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_api.mdx b/api_docs/kbn_securitysolution_list_api.mdx index 168886fc58f0f..0024d4b943b99 100644 --- a/api_docs/kbn_securitysolution_list_api.mdx +++ b/api_docs/kbn_securitysolution_list_api.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-api title: "@kbn/securitysolution-list-api" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-api plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-api'] --- import kbnSecuritysolutionListApiObj from './kbn_securitysolution_list_api.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_constants.mdx b/api_docs/kbn_securitysolution_list_constants.mdx index e2b45b5e4a35b..67b3b2cc2fa20 100644 --- a/api_docs/kbn_securitysolution_list_constants.mdx +++ b/api_docs/kbn_securitysolution_list_constants.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-constants title: "@kbn/securitysolution-list-constants" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-constants plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-constants'] --- import kbnSecuritysolutionListConstantsObj from './kbn_securitysolution_list_constants.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_hooks.mdx b/api_docs/kbn_securitysolution_list_hooks.mdx index be064825c36e5..dcf44a7bc6284 100644 --- a/api_docs/kbn_securitysolution_list_hooks.mdx +++ b/api_docs/kbn_securitysolution_list_hooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-hooks title: "@kbn/securitysolution-list-hooks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-hooks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-hooks'] --- import kbnSecuritysolutionListHooksObj from './kbn_securitysolution_list_hooks.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_list_utils.mdx b/api_docs/kbn_securitysolution_list_utils.mdx index 3e8018c782908..f23e814a6f9ff 100644 --- a/api_docs/kbn_securitysolution_list_utils.mdx +++ b/api_docs/kbn_securitysolution_list_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-list-utils title: "@kbn/securitysolution-list-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-list-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-list-utils'] --- import kbnSecuritysolutionListUtilsObj from './kbn_securitysolution_list_utils.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_rules.mdx b/api_docs/kbn_securitysolution_rules.mdx index 6a36012089efe..0ed82261721fb 100644 --- a/api_docs/kbn_securitysolution_rules.mdx +++ b/api_docs/kbn_securitysolution_rules.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-rules title: "@kbn/securitysolution-rules" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-rules plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-rules'] --- import kbnSecuritysolutionRulesObj from './kbn_securitysolution_rules.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_t_grid.mdx b/api_docs/kbn_securitysolution_t_grid.mdx index 67a9380d0fabb..6e1244c7d7423 100644 --- a/api_docs/kbn_securitysolution_t_grid.mdx +++ b/api_docs/kbn_securitysolution_t_grid.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-t-grid title: "@kbn/securitysolution-t-grid" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-t-grid plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-t-grid'] --- import kbnSecuritysolutionTGridObj from './kbn_securitysolution_t_grid.devdocs.json'; diff --git a/api_docs/kbn_securitysolution_utils.mdx b/api_docs/kbn_securitysolution_utils.mdx index 044c5e8d5ffee..e2a9c027bc774 100644 --- a/api_docs/kbn_securitysolution_utils.mdx +++ b/api_docs/kbn_securitysolution_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-securitysolution-utils title: "@kbn/securitysolution-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/securitysolution-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/securitysolution-utils'] --- import kbnSecuritysolutionUtilsObj from './kbn_securitysolution_utils.devdocs.json'; diff --git a/api_docs/kbn_server_http_tools.mdx b/api_docs/kbn_server_http_tools.mdx index cced5050ffe2b..7e8933fa0f9b7 100644 --- a/api_docs/kbn_server_http_tools.mdx +++ b/api_docs/kbn_server_http_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-http-tools title: "@kbn/server-http-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-http-tools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-http-tools'] --- import kbnServerHttpToolsObj from './kbn_server_http_tools.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository.mdx b/api_docs/kbn_server_route_repository.mdx index 372b3d0ac09f2..e73ab0b2c6b14 100644 --- a/api_docs/kbn_server_route_repository.mdx +++ b/api_docs/kbn_server_route_repository.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository title: "@kbn/server-route-repository" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository'] --- import kbnServerRouteRepositoryObj from './kbn_server_route_repository.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_client.mdx b/api_docs/kbn_server_route_repository_client.mdx index f35f1741e3069..bfce89653262c 100644 --- a/api_docs/kbn_server_route_repository_client.mdx +++ b/api_docs/kbn_server_route_repository_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-client title: "@kbn/server-route-repository-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-client plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-client'] --- import kbnServerRouteRepositoryClientObj from './kbn_server_route_repository_client.devdocs.json'; diff --git a/api_docs/kbn_server_route_repository_utils.mdx b/api_docs/kbn_server_route_repository_utils.mdx index 417e4c2baa580..f7c7a92adcc54 100644 --- a/api_docs/kbn_server_route_repository_utils.mdx +++ b/api_docs/kbn_server_route_repository_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-server-route-repository-utils title: "@kbn/server-route-repository-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/server-route-repository-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/server-route-repository-utils'] --- import kbnServerRouteRepositoryUtilsObj from './kbn_server_route_repository_utils.devdocs.json'; diff --git a/api_docs/kbn_serverless_common_settings.mdx b/api_docs/kbn_serverless_common_settings.mdx index 403bd5f2d4542..b007d6cca93c0 100644 --- a/api_docs/kbn_serverless_common_settings.mdx +++ b/api_docs/kbn_serverless_common_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-common-settings title: "@kbn/serverless-common-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-common-settings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-common-settings'] --- import kbnServerlessCommonSettingsObj from './kbn_serverless_common_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_observability_settings.mdx b/api_docs/kbn_serverless_observability_settings.mdx index 78a1a266eeb58..cfa39c2783337 100644 --- a/api_docs/kbn_serverless_observability_settings.mdx +++ b/api_docs/kbn_serverless_observability_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-observability-settings title: "@kbn/serverless-observability-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-observability-settings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-observability-settings'] --- import kbnServerlessObservabilitySettingsObj from './kbn_serverless_observability_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_project_switcher.mdx b/api_docs/kbn_serverless_project_switcher.mdx index 423a7985d2ed8..763c24c492d5e 100644 --- a/api_docs/kbn_serverless_project_switcher.mdx +++ b/api_docs/kbn_serverless_project_switcher.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-project-switcher title: "@kbn/serverless-project-switcher" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-project-switcher plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-project-switcher'] --- import kbnServerlessProjectSwitcherObj from './kbn_serverless_project_switcher.devdocs.json'; diff --git a/api_docs/kbn_serverless_search_settings.mdx b/api_docs/kbn_serverless_search_settings.mdx index 691d0cd7998d8..90ca19e90ded7 100644 --- a/api_docs/kbn_serverless_search_settings.mdx +++ b/api_docs/kbn_serverless_search_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-search-settings title: "@kbn/serverless-search-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-search-settings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-search-settings'] --- import kbnServerlessSearchSettingsObj from './kbn_serverless_search_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_security_settings.mdx b/api_docs/kbn_serverless_security_settings.mdx index 898ef19517308..d7d0262179bed 100644 --- a/api_docs/kbn_serverless_security_settings.mdx +++ b/api_docs/kbn_serverless_security_settings.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-security-settings title: "@kbn/serverless-security-settings" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-security-settings plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-security-settings'] --- import kbnServerlessSecuritySettingsObj from './kbn_serverless_security_settings.devdocs.json'; diff --git a/api_docs/kbn_serverless_storybook_config.mdx b/api_docs/kbn_serverless_storybook_config.mdx index 33a65cf5605cd..b4eb5ac16d5cf 100644 --- a/api_docs/kbn_serverless_storybook_config.mdx +++ b/api_docs/kbn_serverless_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-serverless-storybook-config title: "@kbn/serverless-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/serverless-storybook-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/serverless-storybook-config'] --- import kbnServerlessStorybookConfigObj from './kbn_serverless_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_svg.mdx b/api_docs/kbn_shared_svg.mdx index 3275020eed15c..ca7b854f619a5 100644 --- a/api_docs/kbn_shared_svg.mdx +++ b/api_docs/kbn_shared_svg.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-svg title: "@kbn/shared-svg" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-svg plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-svg'] --- import kbnSharedSvgObj from './kbn_shared_svg.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_avatar_solution.mdx b/api_docs/kbn_shared_ux_avatar_solution.mdx index 9891de336d504..956ad384d387e 100644 --- a/api_docs/kbn_shared_ux_avatar_solution.mdx +++ b/api_docs/kbn_shared_ux_avatar_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-avatar-solution title: "@kbn/shared-ux-avatar-solution" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-avatar-solution plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-avatar-solution'] --- import kbnSharedUxAvatarSolutionObj from './kbn_shared_ux_avatar_solution.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx index 048d129e581eb..a2ac7f4864802 100644 --- a/api_docs/kbn_shared_ux_button_exit_full_screen.mdx +++ b/api_docs/kbn_shared_ux_button_exit_full_screen.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-exit-full-screen title: "@kbn/shared-ux-button-exit-full-screen" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-exit-full-screen plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-exit-full-screen'] --- import kbnSharedUxButtonExitFullScreenObj from './kbn_shared_ux_button_exit_full_screen.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_button_toolbar.mdx b/api_docs/kbn_shared_ux_button_toolbar.mdx index 0c6961addde54..afe7bad072edb 100644 --- a/api_docs/kbn_shared_ux_button_toolbar.mdx +++ b/api_docs/kbn_shared_ux_button_toolbar.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-button-toolbar title: "@kbn/shared-ux-button-toolbar" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-button-toolbar plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-button-toolbar'] --- import kbnSharedUxButtonToolbarObj from './kbn_shared_ux_button_toolbar.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data.mdx b/api_docs/kbn_shared_ux_card_no_data.mdx index 4d569fc1fd773..a5a1793d6ddd8 100644 --- a/api_docs/kbn_shared_ux_card_no_data.mdx +++ b/api_docs/kbn_shared_ux_card_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data title: "@kbn/shared-ux-card-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data'] --- import kbnSharedUxCardNoDataObj from './kbn_shared_ux_card_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx index d2ea3c0307965..1c9331256d8e4 100644 --- a/api_docs/kbn_shared_ux_card_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_card_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-card-no-data-mocks title: "@kbn/shared-ux-card-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-card-no-data-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-card-no-data-mocks'] --- import kbnSharedUxCardNoDataMocksObj from './kbn_shared_ux_card_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_chrome_navigation.mdx b/api_docs/kbn_shared_ux_chrome_navigation.mdx index 0913494083da9..d4d090476ac19 100644 --- a/api_docs/kbn_shared_ux_chrome_navigation.mdx +++ b/api_docs/kbn_shared_ux_chrome_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-chrome-navigation title: "@kbn/shared-ux-chrome-navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-chrome-navigation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-chrome-navigation'] --- import kbnSharedUxChromeNavigationObj from './kbn_shared_ux_chrome_navigation.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_error_boundary.mdx b/api_docs/kbn_shared_ux_error_boundary.mdx index ec7a24fcf41c7..d5f64fb56ddfa 100644 --- a/api_docs/kbn_shared_ux_error_boundary.mdx +++ b/api_docs/kbn_shared_ux_error_boundary.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-error-boundary title: "@kbn/shared-ux-error-boundary" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-error-boundary plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-error-boundary'] --- import kbnSharedUxErrorBoundaryObj from './kbn_shared_ux_error_boundary.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_context.mdx b/api_docs/kbn_shared_ux_file_context.mdx index e680fe82bd8f3..c64475fe2ff69 100644 --- a/api_docs/kbn_shared_ux_file_context.mdx +++ b/api_docs/kbn_shared_ux_file_context.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-context title: "@kbn/shared-ux-file-context" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-context plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-context'] --- import kbnSharedUxFileContextObj from './kbn_shared_ux_file_context.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image.mdx b/api_docs/kbn_shared_ux_file_image.mdx index 2185d4419637c..e29dcc6fd8471 100644 --- a/api_docs/kbn_shared_ux_file_image.mdx +++ b/api_docs/kbn_shared_ux_file_image.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image title: "@kbn/shared-ux-file-image" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image'] --- import kbnSharedUxFileImageObj from './kbn_shared_ux_file_image.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_image_mocks.mdx b/api_docs/kbn_shared_ux_file_image_mocks.mdx index 018fb5b7784c0..e0500b1305428 100644 --- a/api_docs/kbn_shared_ux_file_image_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_image_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-image-mocks title: "@kbn/shared-ux-file-image-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-image-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-image-mocks'] --- import kbnSharedUxFileImageMocksObj from './kbn_shared_ux_file_image_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_mocks.mdx b/api_docs/kbn_shared_ux_file_mocks.mdx index 58f582e1d9d9e..47c611a77134a 100644 --- a/api_docs/kbn_shared_ux_file_mocks.mdx +++ b/api_docs/kbn_shared_ux_file_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-mocks title: "@kbn/shared-ux-file-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-mocks'] --- import kbnSharedUxFileMocksObj from './kbn_shared_ux_file_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_picker.mdx b/api_docs/kbn_shared_ux_file_picker.mdx index 1a41c19254ac5..b968ee4ea62f9 100644 --- a/api_docs/kbn_shared_ux_file_picker.mdx +++ b/api_docs/kbn_shared_ux_file_picker.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-picker title: "@kbn/shared-ux-file-picker" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-picker plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-picker'] --- import kbnSharedUxFilePickerObj from './kbn_shared_ux_file_picker.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_types.mdx b/api_docs/kbn_shared_ux_file_types.mdx index 748d923f6d09b..8014f04d41bb9 100644 --- a/api_docs/kbn_shared_ux_file_types.mdx +++ b/api_docs/kbn_shared_ux_file_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-types title: "@kbn/shared-ux-file-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-types'] --- import kbnSharedUxFileTypesObj from './kbn_shared_ux_file_types.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_upload.mdx b/api_docs/kbn_shared_ux_file_upload.mdx index bd088861e6653..f08608ef75015 100644 --- a/api_docs/kbn_shared_ux_file_upload.mdx +++ b/api_docs/kbn_shared_ux_file_upload.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-upload title: "@kbn/shared-ux-file-upload" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-upload plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-upload'] --- import kbnSharedUxFileUploadObj from './kbn_shared_ux_file_upload.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_file_util.mdx b/api_docs/kbn_shared_ux_file_util.mdx index 440034c6631e2..13eabed5c75b5 100644 --- a/api_docs/kbn_shared_ux_file_util.mdx +++ b/api_docs/kbn_shared_ux_file_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-file-util title: "@kbn/shared-ux-file-util" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-file-util plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-file-util'] --- import kbnSharedUxFileUtilObj from './kbn_shared_ux_file_util.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app.mdx b/api_docs/kbn_shared_ux_link_redirect_app.mdx index d5d3d607cc37a..355e351885443 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app title: "@kbn/shared-ux-link-redirect-app" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app'] --- import kbnSharedUxLinkRedirectAppObj from './kbn_shared_ux_link_redirect_app.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx index fea3b18334386..0acd72e18c731 100644 --- a/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx +++ b/api_docs/kbn_shared_ux_link_redirect_app_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-link-redirect-app-mocks title: "@kbn/shared-ux-link-redirect-app-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-link-redirect-app-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-link-redirect-app-mocks'] --- import kbnSharedUxLinkRedirectAppMocksObj from './kbn_shared_ux_link_redirect_app_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown.mdx b/api_docs/kbn_shared_ux_markdown.mdx index 8ad62a224c9c0..c66e85e583f0b 100644 --- a/api_docs/kbn_shared_ux_markdown.mdx +++ b/api_docs/kbn_shared_ux_markdown.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown title: "@kbn/shared-ux-markdown" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown'] --- import kbnSharedUxMarkdownObj from './kbn_shared_ux_markdown.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_markdown_mocks.mdx b/api_docs/kbn_shared_ux_markdown_mocks.mdx index 64ce71753ed57..114e20c9ecb96 100644 --- a/api_docs/kbn_shared_ux_markdown_mocks.mdx +++ b/api_docs/kbn_shared_ux_markdown_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-markdown-mocks title: "@kbn/shared-ux-markdown-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-markdown-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-markdown-mocks'] --- import kbnSharedUxMarkdownMocksObj from './kbn_shared_ux_markdown_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx index e229b42b73323..5c0e3e6e051e4 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data title: "@kbn/shared-ux-page-analytics-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data'] --- import kbnSharedUxPageAnalyticsNoDataObj from './kbn_shared_ux_page_analytics_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx index 6c2756c112bb0..3997ab6b07e4d 100644 --- a/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_analytics_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-analytics-no-data-mocks title: "@kbn/shared-ux-page-analytics-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-analytics-no-data-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-analytics-no-data-mocks'] --- import kbnSharedUxPageAnalyticsNoDataMocksObj from './kbn_shared_ux_page_analytics_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx index 55900f079a9ae..0b22cabe855f4 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data title: "@kbn/shared-ux-page-kibana-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data'] --- import kbnSharedUxPageKibanaNoDataObj from './kbn_shared_ux_page_kibana_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx index b70d673b35c58..356395d72c4c9 100644 --- a/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-no-data-mocks title: "@kbn/shared-ux-page-kibana-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-no-data-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-no-data-mocks'] --- import kbnSharedUxPageKibanaNoDataMocksObj from './kbn_shared_ux_page_kibana_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template.mdx b/api_docs/kbn_shared_ux_page_kibana_template.mdx index 578b5c3f99237..9ff4796789531 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template title: "@kbn/shared-ux-page-kibana-template" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template'] --- import kbnSharedUxPageKibanaTemplateObj from './kbn_shared_ux_page_kibana_template.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx index 345bc5b08efa8..d29587b4be4f9 100644 --- a/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_kibana_template_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-kibana-template-mocks title: "@kbn/shared-ux-page-kibana-template-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-kibana-template-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-kibana-template-mocks'] --- import kbnSharedUxPageKibanaTemplateMocksObj from './kbn_shared_ux_page_kibana_template_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data.mdx b/api_docs/kbn_shared_ux_page_no_data.mdx index 42eb175921d1c..699d1ebb78559 100644 --- a/api_docs/kbn_shared_ux_page_no_data.mdx +++ b/api_docs/kbn_shared_ux_page_no_data.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data title: "@kbn/shared-ux-page-no-data" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data'] --- import kbnSharedUxPageNoDataObj from './kbn_shared_ux_page_no_data.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config.mdx b/api_docs/kbn_shared_ux_page_no_data_config.mdx index 6a8798880c7b8..69b95559399c6 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config title: "@kbn/shared-ux-page-no-data-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config'] --- import kbnSharedUxPageNoDataConfigObj from './kbn_shared_ux_page_no_data_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx index 496d1ebcb8d1d..d87cb49c83f43 100644 --- a/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_config_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-config-mocks title: "@kbn/shared-ux-page-no-data-config-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-config-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-config-mocks'] --- import kbnSharedUxPageNoDataConfigMocksObj from './kbn_shared_ux_page_no_data_config_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx index a9281cc7948ad..68d78104e4500 100644 --- a/api_docs/kbn_shared_ux_page_no_data_mocks.mdx +++ b/api_docs/kbn_shared_ux_page_no_data_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-no-data-mocks title: "@kbn/shared-ux-page-no-data-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-no-data-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-no-data-mocks'] --- import kbnSharedUxPageNoDataMocksObj from './kbn_shared_ux_page_no_data_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_page_solution_nav.mdx b/api_docs/kbn_shared_ux_page_solution_nav.mdx index 6a27c2b4fc6dc..143f8f9456b4c 100644 --- a/api_docs/kbn_shared_ux_page_solution_nav.mdx +++ b/api_docs/kbn_shared_ux_page_solution_nav.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-page-solution-nav title: "@kbn/shared-ux-page-solution-nav" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-page-solution-nav plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-page-solution-nav'] --- import kbnSharedUxPageSolutionNavObj from './kbn_shared_ux_page_solution_nav.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx index 1f897bd14e94c..2a81e8d477b0a 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views title: "@kbn/shared-ux-prompt-no-data-views" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views'] --- import kbnSharedUxPromptNoDataViewsObj from './kbn_shared_ux_prompt_no_data_views.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx index 92eaa8c258ab6..7cbdb11b5d115 100644 --- a/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx +++ b/api_docs/kbn_shared_ux_prompt_no_data_views_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-no-data-views-mocks title: "@kbn/shared-ux-prompt-no-data-views-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-no-data-views-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-no-data-views-mocks'] --- import kbnSharedUxPromptNoDataViewsMocksObj from './kbn_shared_ux_prompt_no_data_views_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_prompt_not_found.mdx b/api_docs/kbn_shared_ux_prompt_not_found.mdx index 52d7400cbd7b7..6104f5d801560 100644 --- a/api_docs/kbn_shared_ux_prompt_not_found.mdx +++ b/api_docs/kbn_shared_ux_prompt_not_found.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-prompt-not-found title: "@kbn/shared-ux-prompt-not-found" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-prompt-not-found plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-prompt-not-found'] --- import kbnSharedUxPromptNotFoundObj from './kbn_shared_ux_prompt_not_found.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router.mdx b/api_docs/kbn_shared_ux_router.mdx index d6f2d770d9411..19debd5de2ea6 100644 --- a/api_docs/kbn_shared_ux_router.mdx +++ b/api_docs/kbn_shared_ux_router.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router title: "@kbn/shared-ux-router" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router'] --- import kbnSharedUxRouterObj from './kbn_shared_ux_router.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_router_mocks.mdx b/api_docs/kbn_shared_ux_router_mocks.mdx index 2a25496fde93d..00ef6a36464c3 100644 --- a/api_docs/kbn_shared_ux_router_mocks.mdx +++ b/api_docs/kbn_shared_ux_router_mocks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-router-mocks title: "@kbn/shared-ux-router-mocks" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-router-mocks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-router-mocks'] --- import kbnSharedUxRouterMocksObj from './kbn_shared_ux_router_mocks.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_config.mdx b/api_docs/kbn_shared_ux_storybook_config.mdx index 314880aad30bb..c6c21ff0199f4 100644 --- a/api_docs/kbn_shared_ux_storybook_config.mdx +++ b/api_docs/kbn_shared_ux_storybook_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-config title: "@kbn/shared-ux-storybook-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-config'] --- import kbnSharedUxStorybookConfigObj from './kbn_shared_ux_storybook_config.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_storybook_mock.mdx b/api_docs/kbn_shared_ux_storybook_mock.mdx index aca8c716c666b..2f020420fd483 100644 --- a/api_docs/kbn_shared_ux_storybook_mock.mdx +++ b/api_docs/kbn_shared_ux_storybook_mock.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-storybook-mock title: "@kbn/shared-ux-storybook-mock" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-storybook-mock plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-storybook-mock'] --- import kbnSharedUxStorybookMockObj from './kbn_shared_ux_storybook_mock.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_tabbed_modal.mdx b/api_docs/kbn_shared_ux_tabbed_modal.mdx index 242887f97ed5c..3ca2bb1729e9e 100644 --- a/api_docs/kbn_shared_ux_tabbed_modal.mdx +++ b/api_docs/kbn_shared_ux_tabbed_modal.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-tabbed-modal title: "@kbn/shared-ux-tabbed-modal" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-tabbed-modal plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-tabbed-modal'] --- import kbnSharedUxTabbedModalObj from './kbn_shared_ux_tabbed_modal.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_table_persist.mdx b/api_docs/kbn_shared_ux_table_persist.mdx index 31d2563532f52..9f3d1bf6c2ff6 100644 --- a/api_docs/kbn_shared_ux_table_persist.mdx +++ b/api_docs/kbn_shared_ux_table_persist.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-table-persist title: "@kbn/shared-ux-table-persist" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-table-persist plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-table-persist'] --- import kbnSharedUxTablePersistObj from './kbn_shared_ux_table_persist.devdocs.json'; diff --git a/api_docs/kbn_shared_ux_utility.mdx b/api_docs/kbn_shared_ux_utility.mdx index f6ecd8fefa466..e00f35430725e 100644 --- a/api_docs/kbn_shared_ux_utility.mdx +++ b/api_docs/kbn_shared_ux_utility.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-shared-ux-utility title: "@kbn/shared-ux-utility" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/shared-ux-utility plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/shared-ux-utility'] --- import kbnSharedUxUtilityObj from './kbn_shared_ux_utility.devdocs.json'; diff --git a/api_docs/kbn_slo_schema.mdx b/api_docs/kbn_slo_schema.mdx index e39fe2427c558..41f6113e7a94f 100644 --- a/api_docs/kbn_slo_schema.mdx +++ b/api_docs/kbn_slo_schema.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-slo-schema title: "@kbn/slo-schema" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/slo-schema plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/slo-schema'] --- import kbnSloSchemaObj from './kbn_slo_schema.devdocs.json'; diff --git a/api_docs/kbn_some_dev_log.mdx b/api_docs/kbn_some_dev_log.mdx index 2c2ababacb841..a5c6a74f6f53f 100644 --- a/api_docs/kbn_some_dev_log.mdx +++ b/api_docs/kbn_some_dev_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-some-dev-log title: "@kbn/some-dev-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/some-dev-log plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/some-dev-log'] --- import kbnSomeDevLogObj from './kbn_some_dev_log.devdocs.json'; diff --git a/api_docs/kbn_sort_predicates.mdx b/api_docs/kbn_sort_predicates.mdx index d541324d5ee63..81ceb458d7fb6 100644 --- a/api_docs/kbn_sort_predicates.mdx +++ b/api_docs/kbn_sort_predicates.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sort-predicates title: "@kbn/sort-predicates" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sort-predicates plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sort-predicates'] --- import kbnSortPredicatesObj from './kbn_sort_predicates.devdocs.json'; diff --git a/api_docs/kbn_sse_utils.mdx b/api_docs/kbn_sse_utils.mdx index cabf92c927890..83533004684e1 100644 --- a/api_docs/kbn_sse_utils.mdx +++ b/api_docs/kbn_sse_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils title: "@kbn/sse-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils'] --- import kbnSseUtilsObj from './kbn_sse_utils.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_client.mdx b/api_docs/kbn_sse_utils_client.mdx index d582fef84565c..d37bdcf73a98a 100644 --- a/api_docs/kbn_sse_utils_client.mdx +++ b/api_docs/kbn_sse_utils_client.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-client title: "@kbn/sse-utils-client" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-client plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-client'] --- import kbnSseUtilsClientObj from './kbn_sse_utils_client.devdocs.json'; diff --git a/api_docs/kbn_sse_utils_server.mdx b/api_docs/kbn_sse_utils_server.mdx index 3b953e4fb62aa..f0cb22c91c8fb 100644 --- a/api_docs/kbn_sse_utils_server.mdx +++ b/api_docs/kbn_sse_utils_server.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-sse-utils-server title: "@kbn/sse-utils-server" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/sse-utils-server plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/sse-utils-server'] --- import kbnSseUtilsServerObj from './kbn_sse_utils_server.devdocs.json'; diff --git a/api_docs/kbn_std.mdx b/api_docs/kbn_std.mdx index 5f98ae329d2b5..35745dde8d875 100644 --- a/api_docs/kbn_std.mdx +++ b/api_docs/kbn_std.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-std title: "@kbn/std" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/std plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/std'] --- import kbnStdObj from './kbn_std.devdocs.json'; diff --git a/api_docs/kbn_stdio_dev_helpers.mdx b/api_docs/kbn_stdio_dev_helpers.mdx index 069cead8ecca3..10250a9e89ce1 100644 --- a/api_docs/kbn_stdio_dev_helpers.mdx +++ b/api_docs/kbn_stdio_dev_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-stdio-dev-helpers title: "@kbn/stdio-dev-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/stdio-dev-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/stdio-dev-helpers'] --- import kbnStdioDevHelpersObj from './kbn_stdio_dev_helpers.devdocs.json'; diff --git a/api_docs/kbn_storybook.mdx b/api_docs/kbn_storybook.mdx index a2eaf731d910a..48cadeca0f337 100644 --- a/api_docs/kbn_storybook.mdx +++ b/api_docs/kbn_storybook.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-storybook title: "@kbn/storybook" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/storybook plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/storybook'] --- import kbnStorybookObj from './kbn_storybook.devdocs.json'; diff --git a/api_docs/kbn_synthetics_e2e.mdx b/api_docs/kbn_synthetics_e2e.mdx index 2110580b0e913..4cfa13a978dd2 100644 --- a/api_docs/kbn_synthetics_e2e.mdx +++ b/api_docs/kbn_synthetics_e2e.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-e2e title: "@kbn/synthetics-e2e" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-e2e plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-e2e'] --- import kbnSyntheticsE2eObj from './kbn_synthetics_e2e.devdocs.json'; diff --git a/api_docs/kbn_synthetics_private_location.mdx b/api_docs/kbn_synthetics_private_location.mdx index ad27bbfb11c99..581b700d43d6c 100644 --- a/api_docs/kbn_synthetics_private_location.mdx +++ b/api_docs/kbn_synthetics_private_location.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-synthetics-private-location title: "@kbn/synthetics-private-location" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/synthetics-private-location plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/synthetics-private-location'] --- import kbnSyntheticsPrivateLocationObj from './kbn_synthetics_private_location.devdocs.json'; diff --git a/api_docs/kbn_telemetry_tools.mdx b/api_docs/kbn_telemetry_tools.mdx index be9af9931d488..526ea5ad7b6f1 100644 --- a/api_docs/kbn_telemetry_tools.mdx +++ b/api_docs/kbn_telemetry_tools.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-telemetry-tools title: "@kbn/telemetry-tools" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/telemetry-tools plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/telemetry-tools'] --- import kbnTelemetryToolsObj from './kbn_telemetry_tools.devdocs.json'; diff --git a/api_docs/kbn_test.mdx b/api_docs/kbn_test.mdx index 373735c4ae194..1e98f2f5f093c 100644 --- a/api_docs/kbn_test.mdx +++ b/api_docs/kbn_test.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test title: "@kbn/test" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test'] --- import kbnTestObj from './kbn_test.devdocs.json'; diff --git a/api_docs/kbn_test_eui_helpers.mdx b/api_docs/kbn_test_eui_helpers.mdx index 351bc0e530bbc..0adf5eef6f03f 100644 --- a/api_docs/kbn_test_eui_helpers.mdx +++ b/api_docs/kbn_test_eui_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-eui-helpers title: "@kbn/test-eui-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-eui-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-eui-helpers'] --- import kbnTestEuiHelpersObj from './kbn_test_eui_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_jest_helpers.mdx b/api_docs/kbn_test_jest_helpers.mdx index 3026842e0471b..551334b04ee2e 100644 --- a/api_docs/kbn_test_jest_helpers.mdx +++ b/api_docs/kbn_test_jest_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-jest-helpers title: "@kbn/test-jest-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-jest-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-jest-helpers'] --- import kbnTestJestHelpersObj from './kbn_test_jest_helpers.devdocs.json'; diff --git a/api_docs/kbn_test_subj_selector.mdx b/api_docs/kbn_test_subj_selector.mdx index 1b657b038a0ed..f9cab8257345b 100644 --- a/api_docs/kbn_test_subj_selector.mdx +++ b/api_docs/kbn_test_subj_selector.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-test-subj-selector title: "@kbn/test-subj-selector" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/test-subj-selector plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/test-subj-selector'] --- import kbnTestSubjSelectorObj from './kbn_test_subj_selector.devdocs.json'; diff --git a/api_docs/kbn_timerange.mdx b/api_docs/kbn_timerange.mdx index d184f7bb0dc4b..580cd05efa4a8 100644 --- a/api_docs/kbn_timerange.mdx +++ b/api_docs/kbn_timerange.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-timerange title: "@kbn/timerange" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/timerange plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/timerange'] --- import kbnTimerangeObj from './kbn_timerange.devdocs.json'; diff --git a/api_docs/kbn_tooling_log.mdx b/api_docs/kbn_tooling_log.mdx index 10ce7a54cb52f..405648c7ef862 100644 --- a/api_docs/kbn_tooling_log.mdx +++ b/api_docs/kbn_tooling_log.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-tooling-log title: "@kbn/tooling-log" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/tooling-log plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/tooling-log'] --- import kbnToolingLogObj from './kbn_tooling_log.devdocs.json'; diff --git a/api_docs/kbn_transpose_utils.mdx b/api_docs/kbn_transpose_utils.mdx index e4899efa1d76f..dbb642325d4b5 100644 --- a/api_docs/kbn_transpose_utils.mdx +++ b/api_docs/kbn_transpose_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-transpose-utils title: "@kbn/transpose-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/transpose-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/transpose-utils'] --- import kbnTransposeUtilsObj from './kbn_transpose_utils.devdocs.json'; diff --git a/api_docs/kbn_triggers_actions_ui_types.mdx b/api_docs/kbn_triggers_actions_ui_types.mdx index b15217fa92831..93cbd1ac6a47b 100644 --- a/api_docs/kbn_triggers_actions_ui_types.mdx +++ b/api_docs/kbn_triggers_actions_ui_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-triggers-actions-ui-types title: "@kbn/triggers-actions-ui-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/triggers-actions-ui-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/triggers-actions-ui-types'] --- import kbnTriggersActionsUiTypesObj from './kbn_triggers_actions_ui_types.devdocs.json'; diff --git a/api_docs/kbn_try_in_console.mdx b/api_docs/kbn_try_in_console.mdx index d3181b34deab4..58133979bb572 100644 --- a/api_docs/kbn_try_in_console.mdx +++ b/api_docs/kbn_try_in_console.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-try-in-console title: "@kbn/try-in-console" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/try-in-console plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/try-in-console'] --- import kbnTryInConsoleObj from './kbn_try_in_console.devdocs.json'; diff --git a/api_docs/kbn_ts_projects.mdx b/api_docs/kbn_ts_projects.mdx index 314f24fc10f79..aa345304523a4 100644 --- a/api_docs/kbn_ts_projects.mdx +++ b/api_docs/kbn_ts_projects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ts-projects title: "@kbn/ts-projects" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ts-projects plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ts-projects'] --- import kbnTsProjectsObj from './kbn_ts_projects.devdocs.json'; diff --git a/api_docs/kbn_typed_react_router_config.mdx b/api_docs/kbn_typed_react_router_config.mdx index e5ea0cc5d0a63..459fbd9d0ae24 100644 --- a/api_docs/kbn_typed_react_router_config.mdx +++ b/api_docs/kbn_typed_react_router_config.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-typed-react-router-config title: "@kbn/typed-react-router-config" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/typed-react-router-config plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/typed-react-router-config'] --- import kbnTypedReactRouterConfigObj from './kbn_typed_react_router_config.devdocs.json'; diff --git a/api_docs/kbn_ui_actions_browser.mdx b/api_docs/kbn_ui_actions_browser.mdx index 0dc10e35c770e..4b6a33ad9f041 100644 --- a/api_docs/kbn_ui_actions_browser.mdx +++ b/api_docs/kbn_ui_actions_browser.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-actions-browser title: "@kbn/ui-actions-browser" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-actions-browser plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-actions-browser'] --- import kbnUiActionsBrowserObj from './kbn_ui_actions_browser.devdocs.json'; diff --git a/api_docs/kbn_ui_shared_deps_src.mdx b/api_docs/kbn_ui_shared_deps_src.mdx index f56d0c375da27..d04b182de6e3f 100644 --- a/api_docs/kbn_ui_shared_deps_src.mdx +++ b/api_docs/kbn_ui_shared_deps_src.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-shared-deps-src title: "@kbn/ui-shared-deps-src" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-shared-deps-src plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-shared-deps-src'] --- import kbnUiSharedDepsSrcObj from './kbn_ui_shared_deps_src.devdocs.json'; diff --git a/api_docs/kbn_ui_theme.mdx b/api_docs/kbn_ui_theme.mdx index 3611d43fdcf52..9555288f96f37 100644 --- a/api_docs/kbn_ui_theme.mdx +++ b/api_docs/kbn_ui_theme.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-ui-theme title: "@kbn/ui-theme" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/ui-theme plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/ui-theme'] --- import kbnUiThemeObj from './kbn_ui_theme.devdocs.json'; diff --git a/api_docs/kbn_unified_data_table.mdx b/api_docs/kbn_unified_data_table.mdx index d7df74d8487a7..c4880169bade1 100644 --- a/api_docs/kbn_unified_data_table.mdx +++ b/api_docs/kbn_unified_data_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-data-table title: "@kbn/unified-data-table" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-data-table plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-data-table'] --- import kbnUnifiedDataTableObj from './kbn_unified_data_table.devdocs.json'; diff --git a/api_docs/kbn_unified_doc_viewer.mdx b/api_docs/kbn_unified_doc_viewer.mdx index dca73b9ede4d7..27923f26d03d2 100644 --- a/api_docs/kbn_unified_doc_viewer.mdx +++ b/api_docs/kbn_unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-doc-viewer title: "@kbn/unified-doc-viewer" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-doc-viewer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-doc-viewer'] --- import kbnUnifiedDocViewerObj from './kbn_unified_doc_viewer.devdocs.json'; diff --git a/api_docs/kbn_unified_field_list.mdx b/api_docs/kbn_unified_field_list.mdx index a126f1edc4e66..635fae42666bf 100644 --- a/api_docs/kbn_unified_field_list.mdx +++ b/api_docs/kbn_unified_field_list.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unified-field-list title: "@kbn/unified-field-list" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unified-field-list plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unified-field-list'] --- import kbnUnifiedFieldListObj from './kbn_unified_field_list.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_badge.mdx b/api_docs/kbn_unsaved_changes_badge.mdx index 7e8b890ae184e..77eb5b6abe569 100644 --- a/api_docs/kbn_unsaved_changes_badge.mdx +++ b/api_docs/kbn_unsaved_changes_badge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-badge title: "@kbn/unsaved-changes-badge" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-badge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-badge'] --- import kbnUnsavedChangesBadgeObj from './kbn_unsaved_changes_badge.devdocs.json'; diff --git a/api_docs/kbn_unsaved_changes_prompt.mdx b/api_docs/kbn_unsaved_changes_prompt.mdx index 6a4cf0d4bff45..0f69c9075dc28 100644 --- a/api_docs/kbn_unsaved_changes_prompt.mdx +++ b/api_docs/kbn_unsaved_changes_prompt.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-unsaved-changes-prompt title: "@kbn/unsaved-changes-prompt" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/unsaved-changes-prompt plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/unsaved-changes-prompt'] --- import kbnUnsavedChangesPromptObj from './kbn_unsaved_changes_prompt.devdocs.json'; diff --git a/api_docs/kbn_use_tracked_promise.mdx b/api_docs/kbn_use_tracked_promise.mdx index 6f5617d5bd025..8b11a049fe8e1 100644 --- a/api_docs/kbn_use_tracked_promise.mdx +++ b/api_docs/kbn_use_tracked_promise.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-use-tracked-promise title: "@kbn/use-tracked-promise" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/use-tracked-promise plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/use-tracked-promise'] --- import kbnUseTrackedPromiseObj from './kbn_use_tracked_promise.devdocs.json'; diff --git a/api_docs/kbn_user_profile_components.mdx b/api_docs/kbn_user_profile_components.mdx index e8cb1af58fb44..2d8461df5fbdf 100644 --- a/api_docs/kbn_user_profile_components.mdx +++ b/api_docs/kbn_user_profile_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-user-profile-components title: "@kbn/user-profile-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/user-profile-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/user-profile-components'] --- import kbnUserProfileComponentsObj from './kbn_user_profile_components.devdocs.json'; diff --git a/api_docs/kbn_utility_types.mdx b/api_docs/kbn_utility_types.mdx index 9a2b96f1eca81..962a91ae3501a 100644 --- a/api_docs/kbn_utility_types.mdx +++ b/api_docs/kbn_utility_types.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types title: "@kbn/utility-types" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types'] --- import kbnUtilityTypesObj from './kbn_utility_types.devdocs.json'; diff --git a/api_docs/kbn_utility_types_jest.mdx b/api_docs/kbn_utility_types_jest.mdx index 191083ab5b373..7e5eace537199 100644 --- a/api_docs/kbn_utility_types_jest.mdx +++ b/api_docs/kbn_utility_types_jest.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utility-types-jest title: "@kbn/utility-types-jest" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utility-types-jest plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utility-types-jest'] --- import kbnUtilityTypesJestObj from './kbn_utility_types_jest.devdocs.json'; diff --git a/api_docs/kbn_utils.mdx b/api_docs/kbn_utils.mdx index f6e8a8a5878d3..fbe867aab7bae 100644 --- a/api_docs/kbn_utils.mdx +++ b/api_docs/kbn_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-utils title: "@kbn/utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/utils'] --- import kbnUtilsObj from './kbn_utils.devdocs.json'; diff --git a/api_docs/kbn_visualization_ui_components.mdx b/api_docs/kbn_visualization_ui_components.mdx index 64188f6da568f..60e4a4e515c6b 100644 --- a/api_docs/kbn_visualization_ui_components.mdx +++ b/api_docs/kbn_visualization_ui_components.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-ui-components title: "@kbn/visualization-ui-components" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-ui-components plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-ui-components'] --- import kbnVisualizationUiComponentsObj from './kbn_visualization_ui_components.devdocs.json'; diff --git a/api_docs/kbn_visualization_utils.mdx b/api_docs/kbn_visualization_utils.mdx index 9440222196237..9203f5fb9834a 100644 --- a/api_docs/kbn_visualization_utils.mdx +++ b/api_docs/kbn_visualization_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-visualization-utils title: "@kbn/visualization-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/visualization-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/visualization-utils'] --- import kbnVisualizationUtilsObj from './kbn_visualization_utils.devdocs.json'; diff --git a/api_docs/kbn_xstate_utils.mdx b/api_docs/kbn_xstate_utils.mdx index 8a40d1b4e05c6..15c9ed00bdaf1 100644 --- a/api_docs/kbn_xstate_utils.mdx +++ b/api_docs/kbn_xstate_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-xstate-utils title: "@kbn/xstate-utils" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/xstate-utils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/xstate-utils'] --- import kbnXstateUtilsObj from './kbn_xstate_utils.devdocs.json'; diff --git a/api_docs/kbn_yarn_lock_validator.mdx b/api_docs/kbn_yarn_lock_validator.mdx index 72cf0ad439022..32731cf309519 100644 --- a/api_docs/kbn_yarn_lock_validator.mdx +++ b/api_docs/kbn_yarn_lock_validator.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-yarn-lock-validator title: "@kbn/yarn-lock-validator" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/yarn-lock-validator plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/yarn-lock-validator'] --- import kbnYarnLockValidatorObj from './kbn_yarn_lock_validator.devdocs.json'; diff --git a/api_docs/kbn_zod.mdx b/api_docs/kbn_zod.mdx index 11bda0cf11d8a..4eadace18250f 100644 --- a/api_docs/kbn_zod.mdx +++ b/api_docs/kbn_zod.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod title: "@kbn/zod" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod'] --- import kbnZodObj from './kbn_zod.devdocs.json'; diff --git a/api_docs/kbn_zod_helpers.mdx b/api_docs/kbn_zod_helpers.mdx index e095d78193458..30681ac580a37 100644 --- a/api_docs/kbn_zod_helpers.mdx +++ b/api_docs/kbn_zod_helpers.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kbn-zod-helpers title: "@kbn/zod-helpers" image: https://source.unsplash.com/400x175/?github description: API docs for the @kbn/zod-helpers plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', '@kbn/zod-helpers'] --- import kbnZodHelpersObj from './kbn_zod_helpers.devdocs.json'; diff --git a/api_docs/kibana_overview.mdx b/api_docs/kibana_overview.mdx index d5b268939f5be..8de52a5fd8309 100644 --- a/api_docs/kibana_overview.mdx +++ b/api_docs/kibana_overview.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaOverview title: "kibanaOverview" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaOverview plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaOverview'] --- import kibanaOverviewObj from './kibana_overview.devdocs.json'; diff --git a/api_docs/kibana_react.mdx b/api_docs/kibana_react.mdx index b7dbe5939515b..54ab899343dd9 100644 --- a/api_docs/kibana_react.mdx +++ b/api_docs/kibana_react.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaReact title: "kibanaReact" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaReact plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaReact'] --- import kibanaReactObj from './kibana_react.devdocs.json'; diff --git a/api_docs/kibana_utils.mdx b/api_docs/kibana_utils.mdx index 706c0477a6a16..e339f4fc7ee2e 100644 --- a/api_docs/kibana_utils.mdx +++ b/api_docs/kibana_utils.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kibanaUtils title: "kibanaUtils" image: https://source.unsplash.com/400x175/?github description: API docs for the kibanaUtils plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kibanaUtils'] --- import kibanaUtilsObj from './kibana_utils.devdocs.json'; diff --git a/api_docs/kubernetes_security.mdx b/api_docs/kubernetes_security.mdx index 777cc88cf47ae..8265697c9e030 100644 --- a/api_docs/kubernetes_security.mdx +++ b/api_docs/kubernetes_security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/kubernetesSecurity title: "kubernetesSecurity" image: https://source.unsplash.com/400x175/?github description: API docs for the kubernetesSecurity plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'kubernetesSecurity'] --- import kubernetesSecurityObj from './kubernetes_security.devdocs.json'; diff --git a/api_docs/lens.mdx b/api_docs/lens.mdx index 8005200951934..9ea2619870f01 100644 --- a/api_docs/lens.mdx +++ b/api_docs/lens.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lens title: "lens" image: https://source.unsplash.com/400x175/?github description: API docs for the lens plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lens'] --- import lensObj from './lens.devdocs.json'; diff --git a/api_docs/license_api_guard.mdx b/api_docs/license_api_guard.mdx index e6e7f38cd12d3..253123541303c 100644 --- a/api_docs/license_api_guard.mdx +++ b/api_docs/license_api_guard.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseApiGuard title: "licenseApiGuard" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseApiGuard plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseApiGuard'] --- import licenseApiGuardObj from './license_api_guard.devdocs.json'; diff --git a/api_docs/license_management.mdx b/api_docs/license_management.mdx index db671124884ea..928c055048cff 100644 --- a/api_docs/license_management.mdx +++ b/api_docs/license_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licenseManagement title: "licenseManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the licenseManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licenseManagement'] --- import licenseManagementObj from './license_management.devdocs.json'; diff --git a/api_docs/licensing.mdx b/api_docs/licensing.mdx index 78b426ce0e9dd..b231de9819fc6 100644 --- a/api_docs/licensing.mdx +++ b/api_docs/licensing.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/licensing title: "licensing" image: https://source.unsplash.com/400x175/?github description: API docs for the licensing plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'licensing'] --- import licensingObj from './licensing.devdocs.json'; diff --git a/api_docs/links.mdx b/api_docs/links.mdx index 4e528bff3fa1a..b88fa158e05e1 100644 --- a/api_docs/links.mdx +++ b/api_docs/links.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/links title: "links" image: https://source.unsplash.com/400x175/?github description: API docs for the links plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'links'] --- import linksObj from './links.devdocs.json'; diff --git a/api_docs/lists.mdx b/api_docs/lists.mdx index 3fcf4bb9ca78d..e9baccb2f235c 100644 --- a/api_docs/lists.mdx +++ b/api_docs/lists.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/lists title: "lists" image: https://source.unsplash.com/400x175/?github description: API docs for the lists plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'lists'] --- import listsObj from './lists.devdocs.json'; diff --git a/api_docs/llm_tasks.mdx b/api_docs/llm_tasks.mdx index 95780c6af0da7..f02685cc4419d 100644 --- a/api_docs/llm_tasks.mdx +++ b/api_docs/llm_tasks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/llmTasks title: "llmTasks" image: https://source.unsplash.com/400x175/?github description: API docs for the llmTasks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'llmTasks'] --- import llmTasksObj from './llm_tasks.devdocs.json'; diff --git a/api_docs/logs_data_access.mdx b/api_docs/logs_data_access.mdx index c06416c2ac096..7805cd6747220 100644 --- a/api_docs/logs_data_access.mdx +++ b/api_docs/logs_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsDataAccess title: "logsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the logsDataAccess plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsDataAccess'] --- import logsDataAccessObj from './logs_data_access.devdocs.json'; diff --git a/api_docs/logs_explorer.mdx b/api_docs/logs_explorer.mdx index ff6006409fb82..24feb75671392 100644 --- a/api_docs/logs_explorer.mdx +++ b/api_docs/logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsExplorer title: "logsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the logsExplorer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsExplorer'] --- import logsExplorerObj from './logs_explorer.devdocs.json'; diff --git a/api_docs/logs_shared.mdx b/api_docs/logs_shared.mdx index e1e7031b776c8..1ee3e4779e2ba 100644 --- a/api_docs/logs_shared.mdx +++ b/api_docs/logs_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/logsShared title: "logsShared" image: https://source.unsplash.com/400x175/?github description: API docs for the logsShared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'logsShared'] --- import logsSharedObj from './logs_shared.devdocs.json'; diff --git a/api_docs/management.mdx b/api_docs/management.mdx index 312b463f7a026..7b97e9f0dd2b5 100644 --- a/api_docs/management.mdx +++ b/api_docs/management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/management title: "management" image: https://source.unsplash.com/400x175/?github description: API docs for the management plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'management'] --- import managementObj from './management.devdocs.json'; diff --git a/api_docs/maps.mdx b/api_docs/maps.mdx index a316675a78690..b3033bb08e828 100644 --- a/api_docs/maps.mdx +++ b/api_docs/maps.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/maps title: "maps" image: https://source.unsplash.com/400x175/?github description: API docs for the maps plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'maps'] --- import mapsObj from './maps.devdocs.json'; diff --git a/api_docs/maps_ems.mdx b/api_docs/maps_ems.mdx index 574dc217e5bf1..8a89351e5a6ac 100644 --- a/api_docs/maps_ems.mdx +++ b/api_docs/maps_ems.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mapsEms title: "mapsEms" image: https://source.unsplash.com/400x175/?github description: API docs for the mapsEms plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mapsEms'] --- import mapsEmsObj from './maps_ems.devdocs.json'; diff --git a/api_docs/metrics_data_access.mdx b/api_docs/metrics_data_access.mdx index ff14b025262ee..c143564df2eee 100644 --- a/api_docs/metrics_data_access.mdx +++ b/api_docs/metrics_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/metricsDataAccess title: "metricsDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the metricsDataAccess plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'metricsDataAccess'] --- import metricsDataAccessObj from './metrics_data_access.devdocs.json'; diff --git a/api_docs/ml.mdx b/api_docs/ml.mdx index 571b46b7d6f04..1992b750d7ffe 100644 --- a/api_docs/ml.mdx +++ b/api_docs/ml.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ml title: "ml" image: https://source.unsplash.com/400x175/?github description: API docs for the ml plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ml'] --- import mlObj from './ml.devdocs.json'; diff --git a/api_docs/mock_idp_plugin.mdx b/api_docs/mock_idp_plugin.mdx index 3d7f17c803047..8e66afe27614d 100644 --- a/api_docs/mock_idp_plugin.mdx +++ b/api_docs/mock_idp_plugin.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/mockIdpPlugin title: "mockIdpPlugin" image: https://source.unsplash.com/400x175/?github description: API docs for the mockIdpPlugin plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'mockIdpPlugin'] --- import mockIdpPluginObj from './mock_idp_plugin.devdocs.json'; diff --git a/api_docs/monitoring.mdx b/api_docs/monitoring.mdx index 9515d5ac639a8..a945d671961e2 100644 --- a/api_docs/monitoring.mdx +++ b/api_docs/monitoring.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoring title: "monitoring" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoring plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoring'] --- import monitoringObj from './monitoring.devdocs.json'; diff --git a/api_docs/monitoring_collection.mdx b/api_docs/monitoring_collection.mdx index 695f51921c1ac..1be0d3e291cc6 100644 --- a/api_docs/monitoring_collection.mdx +++ b/api_docs/monitoring_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/monitoringCollection title: "monitoringCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the monitoringCollection plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'monitoringCollection'] --- import monitoringCollectionObj from './monitoring_collection.devdocs.json'; diff --git a/api_docs/navigation.mdx b/api_docs/navigation.mdx index e517ef9a9fc8e..346c4670cff35 100644 --- a/api_docs/navigation.mdx +++ b/api_docs/navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/navigation title: "navigation" image: https://source.unsplash.com/400x175/?github description: API docs for the navigation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'navigation'] --- import navigationObj from './navigation.devdocs.json'; diff --git a/api_docs/newsfeed.mdx b/api_docs/newsfeed.mdx index 2082e7bad3f13..e0fa24dadfc38 100644 --- a/api_docs/newsfeed.mdx +++ b/api_docs/newsfeed.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/newsfeed title: "newsfeed" image: https://source.unsplash.com/400x175/?github description: API docs for the newsfeed plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'newsfeed'] --- import newsfeedObj from './newsfeed.devdocs.json'; diff --git a/api_docs/no_data_page.mdx b/api_docs/no_data_page.mdx index 57a2725197d4c..bc4b1e06b3a3a 100644 --- a/api_docs/no_data_page.mdx +++ b/api_docs/no_data_page.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/noDataPage title: "noDataPage" image: https://source.unsplash.com/400x175/?github description: API docs for the noDataPage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'noDataPage'] --- import noDataPageObj from './no_data_page.devdocs.json'; diff --git a/api_docs/notifications.mdx b/api_docs/notifications.mdx index 31d9c6c7b043d..fff40a45a84d1 100644 --- a/api_docs/notifications.mdx +++ b/api_docs/notifications.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/notifications title: "notifications" image: https://source.unsplash.com/400x175/?github description: API docs for the notifications plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'notifications'] --- import notificationsObj from './notifications.devdocs.json'; diff --git a/api_docs/observability.mdx b/api_docs/observability.mdx index e67d059cc40e4..b7777ad8bb837 100644 --- a/api_docs/observability.mdx +++ b/api_docs/observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observability title: "observability" image: https://source.unsplash.com/400x175/?github description: API docs for the observability plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observability'] --- import observabilityObj from './observability.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant.mdx b/api_docs/observability_a_i_assistant.mdx index 1f1256ff2a797..83a136165a521 100644 --- a/api_docs/observability_a_i_assistant.mdx +++ b/api_docs/observability_a_i_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistant title: "observabilityAIAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistant'] --- import observabilityAIAssistantObj from './observability_a_i_assistant.devdocs.json'; diff --git a/api_docs/observability_a_i_assistant_app.mdx b/api_docs/observability_a_i_assistant_app.mdx index bcbd31a729be8..7955a20b5508c 100644 --- a/api_docs/observability_a_i_assistant_app.mdx +++ b/api_docs/observability_a_i_assistant_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAIAssistantApp title: "observabilityAIAssistantApp" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAIAssistantApp plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAIAssistantApp'] --- import observabilityAIAssistantAppObj from './observability_a_i_assistant_app.devdocs.json'; diff --git a/api_docs/observability_ai_assistant_management.mdx b/api_docs/observability_ai_assistant_management.mdx index a07de7ad946b4..d7dd59cce694b 100644 --- a/api_docs/observability_ai_assistant_management.mdx +++ b/api_docs/observability_ai_assistant_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityAiAssistantManagement title: "observabilityAiAssistantManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityAiAssistantManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityAiAssistantManagement'] --- import observabilityAiAssistantManagementObj from './observability_ai_assistant_management.devdocs.json'; diff --git a/api_docs/observability_logs_explorer.mdx b/api_docs/observability_logs_explorer.mdx index d6280a47fb31e..2b40f532e46de 100644 --- a/api_docs/observability_logs_explorer.mdx +++ b/api_docs/observability_logs_explorer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityLogsExplorer title: "observabilityLogsExplorer" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityLogsExplorer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityLogsExplorer'] --- import observabilityLogsExplorerObj from './observability_logs_explorer.devdocs.json'; diff --git a/api_docs/observability_onboarding.mdx b/api_docs/observability_onboarding.mdx index 413f167092eff..dec683cf41398 100644 --- a/api_docs/observability_onboarding.mdx +++ b/api_docs/observability_onboarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityOnboarding title: "observabilityOnboarding" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityOnboarding plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityOnboarding'] --- import observabilityOnboardingObj from './observability_onboarding.devdocs.json'; diff --git a/api_docs/observability_shared.mdx b/api_docs/observability_shared.mdx index 435e1e536f540..a994fc3ba52a9 100644 --- a/api_docs/observability_shared.mdx +++ b/api_docs/observability_shared.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/observabilityShared title: "observabilityShared" image: https://source.unsplash.com/400x175/?github description: API docs for the observabilityShared plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'observabilityShared'] --- import observabilitySharedObj from './observability_shared.devdocs.json'; diff --git a/api_docs/osquery.mdx b/api_docs/osquery.mdx index c4496e5543bd4..d8decf0e40699 100644 --- a/api_docs/osquery.mdx +++ b/api_docs/osquery.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/osquery title: "osquery" image: https://source.unsplash.com/400x175/?github description: API docs for the osquery plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'osquery'] --- import osqueryObj from './osquery.devdocs.json'; diff --git a/api_docs/painless_lab.mdx b/api_docs/painless_lab.mdx index 14769fd07c3ba..2792634cc7dd8 100644 --- a/api_docs/painless_lab.mdx +++ b/api_docs/painless_lab.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/painlessLab title: "painlessLab" image: https://source.unsplash.com/400x175/?github description: API docs for the painlessLab plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'painlessLab'] --- import painlessLabObj from './painless_lab.devdocs.json'; diff --git a/api_docs/plugin_directory.mdx b/api_docs/plugin_directory.mdx index e3f7b15017290..dc0877b5a9012 100644 --- a/api_docs/plugin_directory.mdx +++ b/api_docs/plugin_directory.mdx @@ -7,7 +7,7 @@ id: kibDevDocsPluginDirectory slug: /kibana-dev-docs/api-meta/plugin-api-directory title: Directory description: Directory of public APIs available through plugins or packages. -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana'] --- @@ -21,7 +21,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | API Count | Any Count | Missing comments | Missing exports | |--------------|----------|-----------------|--------| -| 54834 | 241 | 41170 | 2032 | +| 54836 | 241 | 41172 | 2032 | ## Plugin Directory @@ -31,7 +31,7 @@ tags: ['contributor', 'dev', 'apidocs', 'kibana'] | | [@elastic/appex-sharedux](https://github.com/orgs/elastic/teams/appex-sharedux) | - | 2 | 0 | 2 | 0 | | | [@elastic/obs-ai-assistant](https://github.com/orgs/elastic/teams/obs-ai-assistant) | - | 4 | 0 | 4 | 1 | | | [@elastic/ml-ui](https://github.com/orgs/elastic/teams/ml-ui) | AIOps plugin maintained by ML team. | 72 | 0 | 8 | 2 | -| | [@elastic/response-ops](https://github.com/orgs/elastic/teams/response-ops) | - | 872 | 1 | 839 | 50 | +| | [@elastic/response-ops](https://github.com/orgs/elastic/teams/response-ops) | - | 874 | 1 | 841 | 50 | | | [@elastic/obs-ux-infra_services-team](https://github.com/orgs/elastic/teams/obs-ux-infra_services-team) | The user interface for Elastic APM | 29 | 0 | 29 | 119 | | | [@elastic/obs-ux-infra_services-team](https://github.com/orgs/elastic/teams/obs-ux-infra_services-team) | - | 93 | 0 | 93 | 3 | | | [@elastic/kibana-cloud-security-posture](https://github.com/orgs/elastic/teams/kibana-cloud-security-posture) | Centralized asset inventory experience within the Elastic Security solution. A central place for users to view and manage all their assets from different environments | 6 | 0 | 6 | 0 | diff --git a/api_docs/presentation_panel.mdx b/api_docs/presentation_panel.mdx index a8df67f6bc886..8e0e2a86ed2c5 100644 --- a/api_docs/presentation_panel.mdx +++ b/api_docs/presentation_panel.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationPanel title: "presentationPanel" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationPanel plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationPanel'] --- import presentationPanelObj from './presentation_panel.devdocs.json'; diff --git a/api_docs/presentation_util.mdx b/api_docs/presentation_util.mdx index ba7169a12adde..b16a1f012332a 100644 --- a/api_docs/presentation_util.mdx +++ b/api_docs/presentation_util.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/presentationUtil title: "presentationUtil" image: https://source.unsplash.com/400x175/?github description: API docs for the presentationUtil plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'presentationUtil'] --- import presentationUtilObj from './presentation_util.devdocs.json'; diff --git a/api_docs/product_doc_base.mdx b/api_docs/product_doc_base.mdx index 5ea3cc4bb7d88..aa24b852feb3e 100644 --- a/api_docs/product_doc_base.mdx +++ b/api_docs/product_doc_base.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/productDocBase title: "productDocBase" image: https://source.unsplash.com/400x175/?github description: API docs for the productDocBase plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'productDocBase'] --- import productDocBaseObj from './product_doc_base.devdocs.json'; diff --git a/api_docs/profiling.mdx b/api_docs/profiling.mdx index 178496a6f8ee8..db4ed44edf182 100644 --- a/api_docs/profiling.mdx +++ b/api_docs/profiling.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profiling title: "profiling" image: https://source.unsplash.com/400x175/?github description: API docs for the profiling plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profiling'] --- import profilingObj from './profiling.devdocs.json'; diff --git a/api_docs/profiling_data_access.mdx b/api_docs/profiling_data_access.mdx index 1ba6341f5facb..c5f7704b370eb 100644 --- a/api_docs/profiling_data_access.mdx +++ b/api_docs/profiling_data_access.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/profilingDataAccess title: "profilingDataAccess" image: https://source.unsplash.com/400x175/?github description: API docs for the profilingDataAccess plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'profilingDataAccess'] --- import profilingDataAccessObj from './profiling_data_access.devdocs.json'; diff --git a/api_docs/remote_clusters.mdx b/api_docs/remote_clusters.mdx index 7eac333fc0ed6..7ae1fd31061ad 100644 --- a/api_docs/remote_clusters.mdx +++ b/api_docs/remote_clusters.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/remoteClusters title: "remoteClusters" image: https://source.unsplash.com/400x175/?github description: API docs for the remoteClusters plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'remoteClusters'] --- import remoteClustersObj from './remote_clusters.devdocs.json'; diff --git a/api_docs/reporting.mdx b/api_docs/reporting.mdx index 213eaa182fad0..8a369cafb8c16 100644 --- a/api_docs/reporting.mdx +++ b/api_docs/reporting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/reporting title: "reporting" image: https://source.unsplash.com/400x175/?github description: API docs for the reporting plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'reporting'] --- import reportingObj from './reporting.devdocs.json'; diff --git a/api_docs/rollup.mdx b/api_docs/rollup.mdx index db662e4487ac0..f00a4db2c8b87 100644 --- a/api_docs/rollup.mdx +++ b/api_docs/rollup.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/rollup title: "rollup" image: https://source.unsplash.com/400x175/?github description: API docs for the rollup plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'rollup'] --- import rollupObj from './rollup.devdocs.json'; diff --git a/api_docs/rule_registry.mdx b/api_docs/rule_registry.mdx index fdd4304b555e4..d139e207b7a92 100644 --- a/api_docs/rule_registry.mdx +++ b/api_docs/rule_registry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ruleRegistry title: "ruleRegistry" image: https://source.unsplash.com/400x175/?github description: API docs for the ruleRegistry plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ruleRegistry'] --- import ruleRegistryObj from './rule_registry.devdocs.json'; diff --git a/api_docs/runtime_fields.mdx b/api_docs/runtime_fields.mdx index bca2c6dc3fba9..b786c3fdccfaa 100644 --- a/api_docs/runtime_fields.mdx +++ b/api_docs/runtime_fields.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/runtimeFields title: "runtimeFields" image: https://source.unsplash.com/400x175/?github description: API docs for the runtimeFields plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'runtimeFields'] --- import runtimeFieldsObj from './runtime_fields.devdocs.json'; diff --git a/api_docs/saved_objects.mdx b/api_docs/saved_objects.mdx index 38c97596c6b48..351cfb81b6bb0 100644 --- a/api_docs/saved_objects.mdx +++ b/api_docs/saved_objects.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjects title: "savedObjects" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjects plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjects'] --- import savedObjectsObj from './saved_objects.devdocs.json'; diff --git a/api_docs/saved_objects_finder.mdx b/api_docs/saved_objects_finder.mdx index 5047ccb6ed140..bbf00a8d3e858 100644 --- a/api_docs/saved_objects_finder.mdx +++ b/api_docs/saved_objects_finder.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsFinder title: "savedObjectsFinder" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsFinder plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsFinder'] --- import savedObjectsFinderObj from './saved_objects_finder.devdocs.json'; diff --git a/api_docs/saved_objects_management.mdx b/api_docs/saved_objects_management.mdx index 00f657325e8e8..641b62794e7b8 100644 --- a/api_docs/saved_objects_management.mdx +++ b/api_docs/saved_objects_management.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsManagement title: "savedObjectsManagement" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsManagement plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsManagement'] --- import savedObjectsManagementObj from './saved_objects_management.devdocs.json'; diff --git a/api_docs/saved_objects_tagging.mdx b/api_docs/saved_objects_tagging.mdx index 6eb4c73e0aebc..f41fec16602e1 100644 --- a/api_docs/saved_objects_tagging.mdx +++ b/api_docs/saved_objects_tagging.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTagging title: "savedObjectsTagging" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTagging plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTagging'] --- import savedObjectsTaggingObj from './saved_objects_tagging.devdocs.json'; diff --git a/api_docs/saved_objects_tagging_oss.mdx b/api_docs/saved_objects_tagging_oss.mdx index 08c4d96695b10..a9f0be7589ef4 100644 --- a/api_docs/saved_objects_tagging_oss.mdx +++ b/api_docs/saved_objects_tagging_oss.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedObjectsTaggingOss title: "savedObjectsTaggingOss" image: https://source.unsplash.com/400x175/?github description: API docs for the savedObjectsTaggingOss plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedObjectsTaggingOss'] --- import savedObjectsTaggingOssObj from './saved_objects_tagging_oss.devdocs.json'; diff --git a/api_docs/saved_search.mdx b/api_docs/saved_search.mdx index dcdeb93901bbd..d714fd2fd6a6b 100644 --- a/api_docs/saved_search.mdx +++ b/api_docs/saved_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/savedSearch title: "savedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the savedSearch plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'savedSearch'] --- import savedSearchObj from './saved_search.devdocs.json'; diff --git a/api_docs/screenshot_mode.mdx b/api_docs/screenshot_mode.mdx index e28d0c47a0cb7..1ee661a7729f5 100644 --- a/api_docs/screenshot_mode.mdx +++ b/api_docs/screenshot_mode.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotMode title: "screenshotMode" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotMode plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotMode'] --- import screenshotModeObj from './screenshot_mode.devdocs.json'; diff --git a/api_docs/screenshotting.mdx b/api_docs/screenshotting.mdx index 6e331ce2c14a1..dc756795b6bff 100644 --- a/api_docs/screenshotting.mdx +++ b/api_docs/screenshotting.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/screenshotting title: "screenshotting" image: https://source.unsplash.com/400x175/?github description: API docs for the screenshotting plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'screenshotting'] --- import screenshottingObj from './screenshotting.devdocs.json'; diff --git a/api_docs/search_assistant.mdx b/api_docs/search_assistant.mdx index 8e0ca4a99b2e9..0a3892a440bca 100644 --- a/api_docs/search_assistant.mdx +++ b/api_docs/search_assistant.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchAssistant title: "searchAssistant" image: https://source.unsplash.com/400x175/?github description: API docs for the searchAssistant plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchAssistant'] --- import searchAssistantObj from './search_assistant.devdocs.json'; diff --git a/api_docs/search_connectors.mdx b/api_docs/search_connectors.mdx index 88ad488258c02..5f9dcf6cc697d 100644 --- a/api_docs/search_connectors.mdx +++ b/api_docs/search_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchConnectors title: "searchConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the searchConnectors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchConnectors'] --- import searchConnectorsObj from './search_connectors.devdocs.json'; diff --git a/api_docs/search_homepage.mdx b/api_docs/search_homepage.mdx index d2ee5ebb013e0..cef0f18a2f943 100644 --- a/api_docs/search_homepage.mdx +++ b/api_docs/search_homepage.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchHomepage title: "searchHomepage" image: https://source.unsplash.com/400x175/?github description: API docs for the searchHomepage plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchHomepage'] --- import searchHomepageObj from './search_homepage.devdocs.json'; diff --git a/api_docs/search_indices.mdx b/api_docs/search_indices.mdx index cd38902288c66..13a0cf1bda35a 100644 --- a/api_docs/search_indices.mdx +++ b/api_docs/search_indices.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchIndices title: "searchIndices" image: https://source.unsplash.com/400x175/?github description: API docs for the searchIndices plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchIndices'] --- import searchIndicesObj from './search_indices.devdocs.json'; diff --git a/api_docs/search_inference_endpoints.mdx b/api_docs/search_inference_endpoints.mdx index 1d5d18c471822..092731386422c 100644 --- a/api_docs/search_inference_endpoints.mdx +++ b/api_docs/search_inference_endpoints.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchInferenceEndpoints title: "searchInferenceEndpoints" image: https://source.unsplash.com/400x175/?github description: API docs for the searchInferenceEndpoints plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchInferenceEndpoints'] --- import searchInferenceEndpointsObj from './search_inference_endpoints.devdocs.json'; diff --git a/api_docs/search_navigation.mdx b/api_docs/search_navigation.mdx index 8a358c5301d0d..06d5e0bb226cd 100644 --- a/api_docs/search_navigation.mdx +++ b/api_docs/search_navigation.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNavigation title: "searchNavigation" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNavigation plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNavigation'] --- import searchNavigationObj from './search_navigation.devdocs.json'; diff --git a/api_docs/search_notebooks.mdx b/api_docs/search_notebooks.mdx index 0224c6aabdf19..08f2d970ee713 100644 --- a/api_docs/search_notebooks.mdx +++ b/api_docs/search_notebooks.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchNotebooks title: "searchNotebooks" image: https://source.unsplash.com/400x175/?github description: API docs for the searchNotebooks plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchNotebooks'] --- import searchNotebooksObj from './search_notebooks.devdocs.json'; diff --git a/api_docs/search_playground.mdx b/api_docs/search_playground.mdx index 68815d70013be..4f613cf1d11c3 100644 --- a/api_docs/search_playground.mdx +++ b/api_docs/search_playground.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/searchPlayground title: "searchPlayground" image: https://source.unsplash.com/400x175/?github description: API docs for the searchPlayground plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'searchPlayground'] --- import searchPlaygroundObj from './search_playground.devdocs.json'; diff --git a/api_docs/security.mdx b/api_docs/security.mdx index ffe5eb78d2a85..068a27b4968e7 100644 --- a/api_docs/security.mdx +++ b/api_docs/security.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/security title: "security" image: https://source.unsplash.com/400x175/?github description: API docs for the security plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'security'] --- import securityObj from './security.devdocs.json'; diff --git a/api_docs/security_solution.mdx b/api_docs/security_solution.mdx index 3b5feba458987..70704d40d6b33 100644 --- a/api_docs/security_solution.mdx +++ b/api_docs/security_solution.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolution title: "securitySolution" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolution plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolution'] --- import securitySolutionObj from './security_solution.devdocs.json'; diff --git a/api_docs/security_solution_ess.mdx b/api_docs/security_solution_ess.mdx index 0908185957cb5..301d25a412047 100644 --- a/api_docs/security_solution_ess.mdx +++ b/api_docs/security_solution_ess.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionEss title: "securitySolutionEss" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionEss plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionEss'] --- import securitySolutionEssObj from './security_solution_ess.devdocs.json'; diff --git a/api_docs/security_solution_serverless.mdx b/api_docs/security_solution_serverless.mdx index 520a54ce27c66..50154ba4518d0 100644 --- a/api_docs/security_solution_serverless.mdx +++ b/api_docs/security_solution_serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/securitySolutionServerless title: "securitySolutionServerless" image: https://source.unsplash.com/400x175/?github description: API docs for the securitySolutionServerless plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'securitySolutionServerless'] --- import securitySolutionServerlessObj from './security_solution_serverless.devdocs.json'; diff --git a/api_docs/serverless.mdx b/api_docs/serverless.mdx index 00ae94ae23ed7..ce1e5e6caa041 100644 --- a/api_docs/serverless.mdx +++ b/api_docs/serverless.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverless title: "serverless" image: https://source.unsplash.com/400x175/?github description: API docs for the serverless plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverless'] --- import serverlessObj from './serverless.devdocs.json'; diff --git a/api_docs/serverless_observability.mdx b/api_docs/serverless_observability.mdx index 3ada99171b077..c657d1fb101d1 100644 --- a/api_docs/serverless_observability.mdx +++ b/api_docs/serverless_observability.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessObservability title: "serverlessObservability" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessObservability plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessObservability'] --- import serverlessObservabilityObj from './serverless_observability.devdocs.json'; diff --git a/api_docs/serverless_search.mdx b/api_docs/serverless_search.mdx index 8cf09c5aa74fe..b5ee4e9995ed6 100644 --- a/api_docs/serverless_search.mdx +++ b/api_docs/serverless_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/serverlessSearch title: "serverlessSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the serverlessSearch plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'serverlessSearch'] --- import serverlessSearchObj from './serverless_search.devdocs.json'; diff --git a/api_docs/session_view.mdx b/api_docs/session_view.mdx index 61811c4ea2ca8..65a10812821c5 100644 --- a/api_docs/session_view.mdx +++ b/api_docs/session_view.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/sessionView title: "sessionView" image: https://source.unsplash.com/400x175/?github description: API docs for the sessionView plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'sessionView'] --- import sessionViewObj from './session_view.devdocs.json'; diff --git a/api_docs/share.mdx b/api_docs/share.mdx index 9f3775149e532..b3ccf621f7064 100644 --- a/api_docs/share.mdx +++ b/api_docs/share.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/share title: "share" image: https://source.unsplash.com/400x175/?github description: API docs for the share plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'share'] --- import shareObj from './share.devdocs.json'; diff --git a/api_docs/slo.mdx b/api_docs/slo.mdx index 45d0b4391d793..fce8ea38cad25 100644 --- a/api_docs/slo.mdx +++ b/api_docs/slo.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/slo title: "slo" image: https://source.unsplash.com/400x175/?github description: API docs for the slo plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'slo'] --- import sloObj from './slo.devdocs.json'; diff --git a/api_docs/snapshot_restore.mdx b/api_docs/snapshot_restore.mdx index 982bb1c7af239..1bd0726d2c85b 100644 --- a/api_docs/snapshot_restore.mdx +++ b/api_docs/snapshot_restore.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/snapshotRestore title: "snapshotRestore" image: https://source.unsplash.com/400x175/?github description: API docs for the snapshotRestore plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'snapshotRestore'] --- import snapshotRestoreObj from './snapshot_restore.devdocs.json'; diff --git a/api_docs/spaces.mdx b/api_docs/spaces.mdx index b2983ff1de61c..cc49dfbbfcd65 100644 --- a/api_docs/spaces.mdx +++ b/api_docs/spaces.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/spaces title: "spaces" image: https://source.unsplash.com/400x175/?github description: API docs for the spaces plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'spaces'] --- import spacesObj from './spaces.devdocs.json'; diff --git a/api_docs/stack_alerts.mdx b/api_docs/stack_alerts.mdx index 36e02d9096ae0..bb051c8c9ecf7 100644 --- a/api_docs/stack_alerts.mdx +++ b/api_docs/stack_alerts.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackAlerts title: "stackAlerts" image: https://source.unsplash.com/400x175/?github description: API docs for the stackAlerts plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackAlerts'] --- import stackAlertsObj from './stack_alerts.devdocs.json'; diff --git a/api_docs/stack_connectors.mdx b/api_docs/stack_connectors.mdx index 7a25e6aba1565..0ba1fb866e7f8 100644 --- a/api_docs/stack_connectors.mdx +++ b/api_docs/stack_connectors.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/stackConnectors title: "stackConnectors" image: https://source.unsplash.com/400x175/?github description: API docs for the stackConnectors plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'stackConnectors'] --- import stackConnectorsObj from './stack_connectors.devdocs.json'; diff --git a/api_docs/streams.mdx b/api_docs/streams.mdx index 603f7a7aee902..7bbe527f1ca3b 100644 --- a/api_docs/streams.mdx +++ b/api_docs/streams.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streams title: "streams" image: https://source.unsplash.com/400x175/?github description: API docs for the streams plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streams'] --- import streamsObj from './streams.devdocs.json'; diff --git a/api_docs/streams_app.mdx b/api_docs/streams_app.mdx index 8d4cac039be64..67f9172956fc8 100644 --- a/api_docs/streams_app.mdx +++ b/api_docs/streams_app.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/streamsApp title: "streamsApp" image: https://source.unsplash.com/400x175/?github description: API docs for the streamsApp plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'streamsApp'] --- import streamsAppObj from './streams_app.devdocs.json'; diff --git a/api_docs/task_manager.mdx b/api_docs/task_manager.mdx index 86d2807a8bf14..0b55b3d7080f1 100644 --- a/api_docs/task_manager.mdx +++ b/api_docs/task_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/taskManager title: "taskManager" image: https://source.unsplash.com/400x175/?github description: API docs for the taskManager plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'taskManager'] --- import taskManagerObj from './task_manager.devdocs.json'; diff --git a/api_docs/telemetry.mdx b/api_docs/telemetry.mdx index fddec6a03f87a..bc3e6e7f6eabb 100644 --- a/api_docs/telemetry.mdx +++ b/api_docs/telemetry.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetry title: "telemetry" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetry plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetry'] --- import telemetryObj from './telemetry.devdocs.json'; diff --git a/api_docs/telemetry_collection_manager.mdx b/api_docs/telemetry_collection_manager.mdx index 0b29801ec48f9..18393bfd919c1 100644 --- a/api_docs/telemetry_collection_manager.mdx +++ b/api_docs/telemetry_collection_manager.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryCollectionManager title: "telemetryCollectionManager" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryCollectionManager plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryCollectionManager'] --- import telemetryCollectionManagerObj from './telemetry_collection_manager.devdocs.json'; diff --git a/api_docs/telemetry_management_section.mdx b/api_docs/telemetry_management_section.mdx index 037e4ce392cc8..a926cc5fd147d 100644 --- a/api_docs/telemetry_management_section.mdx +++ b/api_docs/telemetry_management_section.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/telemetryManagementSection title: "telemetryManagementSection" image: https://source.unsplash.com/400x175/?github description: API docs for the telemetryManagementSection plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'telemetryManagementSection'] --- import telemetryManagementSectionObj from './telemetry_management_section.devdocs.json'; diff --git a/api_docs/threat_intelligence.mdx b/api_docs/threat_intelligence.mdx index 43f1f898340d4..9949f51b1ebe9 100644 --- a/api_docs/threat_intelligence.mdx +++ b/api_docs/threat_intelligence.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/threatIntelligence title: "threatIntelligence" image: https://source.unsplash.com/400x175/?github description: API docs for the threatIntelligence plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'threatIntelligence'] --- import threatIntelligenceObj from './threat_intelligence.devdocs.json'; diff --git a/api_docs/timelines.mdx b/api_docs/timelines.mdx index ff00b7f747d4b..901f5fa059499 100644 --- a/api_docs/timelines.mdx +++ b/api_docs/timelines.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/timelines title: "timelines" image: https://source.unsplash.com/400x175/?github description: API docs for the timelines plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'timelines'] --- import timelinesObj from './timelines.devdocs.json'; diff --git a/api_docs/transform.mdx b/api_docs/transform.mdx index e261a7ede948c..4fdd57415699d 100644 --- a/api_docs/transform.mdx +++ b/api_docs/transform.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/transform title: "transform" image: https://source.unsplash.com/400x175/?github description: API docs for the transform plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'transform'] --- import transformObj from './transform.devdocs.json'; diff --git a/api_docs/triggers_actions_ui.mdx b/api_docs/triggers_actions_ui.mdx index 31b08672aa1d2..7b2aed7a72711 100644 --- a/api_docs/triggers_actions_ui.mdx +++ b/api_docs/triggers_actions_ui.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/triggersActionsUi title: "triggersActionsUi" image: https://source.unsplash.com/400x175/?github description: API docs for the triggersActionsUi plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'triggersActionsUi'] --- import triggersActionsUiObj from './triggers_actions_ui.devdocs.json'; diff --git a/api_docs/ui_actions.mdx b/api_docs/ui_actions.mdx index 0d5e78b0534f5..ba8e442532951 100644 --- a/api_docs/ui_actions.mdx +++ b/api_docs/ui_actions.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActions title: "uiActions" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActions plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActions'] --- import uiActionsObj from './ui_actions.devdocs.json'; diff --git a/api_docs/ui_actions_enhanced.mdx b/api_docs/ui_actions_enhanced.mdx index 56e0202da126f..093c89fb9a3af 100644 --- a/api_docs/ui_actions_enhanced.mdx +++ b/api_docs/ui_actions_enhanced.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uiActionsEnhanced title: "uiActionsEnhanced" image: https://source.unsplash.com/400x175/?github description: API docs for the uiActionsEnhanced plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uiActionsEnhanced'] --- import uiActionsEnhancedObj from './ui_actions_enhanced.devdocs.json'; diff --git a/api_docs/unified_doc_viewer.mdx b/api_docs/unified_doc_viewer.mdx index 69ba5da96dba5..b113342e060ed 100644 --- a/api_docs/unified_doc_viewer.mdx +++ b/api_docs/unified_doc_viewer.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedDocViewer title: "unifiedDocViewer" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedDocViewer plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedDocViewer'] --- import unifiedDocViewerObj from './unified_doc_viewer.devdocs.json'; diff --git a/api_docs/unified_histogram.mdx b/api_docs/unified_histogram.mdx index 26f1472298184..1a18626b1b6ad 100644 --- a/api_docs/unified_histogram.mdx +++ b/api_docs/unified_histogram.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedHistogram title: "unifiedHistogram" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedHistogram plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedHistogram'] --- import unifiedHistogramObj from './unified_histogram.devdocs.json'; diff --git a/api_docs/unified_search.mdx b/api_docs/unified_search.mdx index 0894f9585033f..393f9d011abc9 100644 --- a/api_docs/unified_search.mdx +++ b/api_docs/unified_search.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch title: "unifiedSearch" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch'] --- import unifiedSearchObj from './unified_search.devdocs.json'; diff --git a/api_docs/unified_search_autocomplete.mdx b/api_docs/unified_search_autocomplete.mdx index c294c0c4bf70f..43a4f9c930d39 100644 --- a/api_docs/unified_search_autocomplete.mdx +++ b/api_docs/unified_search_autocomplete.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/unifiedSearch-autocomplete title: "unifiedSearch.autocomplete" image: https://source.unsplash.com/400x175/?github description: API docs for the unifiedSearch.autocomplete plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'unifiedSearch.autocomplete'] --- import unifiedSearchAutocompleteObj from './unified_search_autocomplete.devdocs.json'; diff --git a/api_docs/uptime.mdx b/api_docs/uptime.mdx index bee481d502838..f2aeaa8d6d6c0 100644 --- a/api_docs/uptime.mdx +++ b/api_docs/uptime.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/uptime title: "uptime" image: https://source.unsplash.com/400x175/?github description: API docs for the uptime plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'uptime'] --- import uptimeObj from './uptime.devdocs.json'; diff --git a/api_docs/url_forwarding.mdx b/api_docs/url_forwarding.mdx index 5b2100fb8bd58..cad43f57b993b 100644 --- a/api_docs/url_forwarding.mdx +++ b/api_docs/url_forwarding.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/urlForwarding title: "urlForwarding" image: https://source.unsplash.com/400x175/?github description: API docs for the urlForwarding plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'urlForwarding'] --- import urlForwardingObj from './url_forwarding.devdocs.json'; diff --git a/api_docs/usage_collection.mdx b/api_docs/usage_collection.mdx index c84419490492c..9d0762ecf590f 100644 --- a/api_docs/usage_collection.mdx +++ b/api_docs/usage_collection.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/usageCollection title: "usageCollection" image: https://source.unsplash.com/400x175/?github description: API docs for the usageCollection plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'usageCollection'] --- import usageCollectionObj from './usage_collection.devdocs.json'; diff --git a/api_docs/ux.mdx b/api_docs/ux.mdx index fd1e23ac0cb76..858e597c81868 100644 --- a/api_docs/ux.mdx +++ b/api_docs/ux.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/ux title: "ux" image: https://source.unsplash.com/400x175/?github description: API docs for the ux plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'ux'] --- import uxObj from './ux.devdocs.json'; diff --git a/api_docs/vis_default_editor.mdx b/api_docs/vis_default_editor.mdx index 2f331689077e5..a47d41d54a6bc 100644 --- a/api_docs/vis_default_editor.mdx +++ b/api_docs/vis_default_editor.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visDefaultEditor title: "visDefaultEditor" image: https://source.unsplash.com/400x175/?github description: API docs for the visDefaultEditor plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visDefaultEditor'] --- import visDefaultEditorObj from './vis_default_editor.devdocs.json'; diff --git a/api_docs/vis_type_gauge.mdx b/api_docs/vis_type_gauge.mdx index cd97f3161e2ce..d82322af2d99f 100644 --- a/api_docs/vis_type_gauge.mdx +++ b/api_docs/vis_type_gauge.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeGauge title: "visTypeGauge" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeGauge plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeGauge'] --- import visTypeGaugeObj from './vis_type_gauge.devdocs.json'; diff --git a/api_docs/vis_type_heatmap.mdx b/api_docs/vis_type_heatmap.mdx index 4946d9952b8d8..d07fbc3228c94 100644 --- a/api_docs/vis_type_heatmap.mdx +++ b/api_docs/vis_type_heatmap.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeHeatmap title: "visTypeHeatmap" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeHeatmap plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeHeatmap'] --- import visTypeHeatmapObj from './vis_type_heatmap.devdocs.json'; diff --git a/api_docs/vis_type_pie.mdx b/api_docs/vis_type_pie.mdx index 687dd4d4af126..928b24696412c 100644 --- a/api_docs/vis_type_pie.mdx +++ b/api_docs/vis_type_pie.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypePie title: "visTypePie" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypePie plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypePie'] --- import visTypePieObj from './vis_type_pie.devdocs.json'; diff --git a/api_docs/vis_type_table.mdx b/api_docs/vis_type_table.mdx index efe006644b1fc..8326db5f006c5 100644 --- a/api_docs/vis_type_table.mdx +++ b/api_docs/vis_type_table.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTable title: "visTypeTable" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTable plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTable'] --- import visTypeTableObj from './vis_type_table.devdocs.json'; diff --git a/api_docs/vis_type_timelion.mdx b/api_docs/vis_type_timelion.mdx index e402aae56d787..19b09c6f161d0 100644 --- a/api_docs/vis_type_timelion.mdx +++ b/api_docs/vis_type_timelion.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimelion title: "visTypeTimelion" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimelion plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimelion'] --- import visTypeTimelionObj from './vis_type_timelion.devdocs.json'; diff --git a/api_docs/vis_type_timeseries.mdx b/api_docs/vis_type_timeseries.mdx index 78192285cec3b..61459ce8c7c28 100644 --- a/api_docs/vis_type_timeseries.mdx +++ b/api_docs/vis_type_timeseries.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeTimeseries title: "visTypeTimeseries" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeTimeseries plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeTimeseries'] --- import visTypeTimeseriesObj from './vis_type_timeseries.devdocs.json'; diff --git a/api_docs/vis_type_vega.mdx b/api_docs/vis_type_vega.mdx index 7a6af373968b2..7bc23a36e0278 100644 --- a/api_docs/vis_type_vega.mdx +++ b/api_docs/vis_type_vega.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVega title: "visTypeVega" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVega plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVega'] --- import visTypeVegaObj from './vis_type_vega.devdocs.json'; diff --git a/api_docs/vis_type_vislib.mdx b/api_docs/vis_type_vislib.mdx index 87bc72ae23455..44dd2e5a7caeb 100644 --- a/api_docs/vis_type_vislib.mdx +++ b/api_docs/vis_type_vislib.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeVislib title: "visTypeVislib" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeVislib plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeVislib'] --- import visTypeVislibObj from './vis_type_vislib.devdocs.json'; diff --git a/api_docs/vis_type_xy.mdx b/api_docs/vis_type_xy.mdx index 678d5f6d86d23..c63680625bdb2 100644 --- a/api_docs/vis_type_xy.mdx +++ b/api_docs/vis_type_xy.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visTypeXy title: "visTypeXy" image: https://source.unsplash.com/400x175/?github description: API docs for the visTypeXy plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visTypeXy'] --- import visTypeXyObj from './vis_type_xy.devdocs.json'; diff --git a/api_docs/visualizations.mdx b/api_docs/visualizations.mdx index a955c583983a5..2be1532258bb1 100644 --- a/api_docs/visualizations.mdx +++ b/api_docs/visualizations.mdx @@ -8,7 +8,7 @@ slug: /kibana-dev-docs/api/visualizations title: "visualizations" image: https://source.unsplash.com/400x175/?github description: API docs for the visualizations plugin -date: 2024-12-21 +date: 2024-12-23 tags: ['contributor', 'dev', 'apidocs', 'kibana', 'visualizations'] --- import visualizationsObj from './visualizations.devdocs.json';